473,503 Members | 1,654 Online
Bytes | Software Development & Data Engineering Community
+ Post

Home Posts Topics Members FAQ

checking if an object IS in a list

Hi,

I want to test if an object IS in a list (identity and not equality
test).
I can if course write something like this :

test = False
myobject = MyCustomClass(*args, **kw)
for element in mylist:
if element is myobject:
test = True
break

and I can even write a isinlist(elt, mylist) function.

But most of the time, when I need some basic feature in python, I
discover later it is in fact already implemented. ;-)

So, is there already something like that in python ?
I tried to write :
'element is in mylist'
but this appeared to be incorrect syntax...

All objects involved all have an '__eq__' method.
Thanks,

N. P.

PS: Btw, how is set element comparison implemented ? My first
impression was that 'a' and 'b' members are considered equal if and
only if hash(a) == hash(b), but I was obviously wrong :
>>class A(object):
.... def __eq__(self,y):
.... return False
.... def __hash__(self):
.... return 5
....
>>a=A();b=A()
a==b
False
>>hash(b)==hash(a)
True
>>b in set([a])
False
>>S=set([a])
S.difference([b])
set([<__main__.A object at 0xb7a91dac>])

So there is some equality check also, maybe only if '__eq__' is
implemented ?
Jul 18 '08 #1
20 3082
ni***************@gmail.com wrote:
Hi,

I want to test if an object IS in a list (identity and not equality
test).
I can if course write something like this :

test = False
myobject = MyCustomClass(*args, **kw)
for element in mylist:
if element is myobject:
test = True
break

and I can even write a isinlist(elt, mylist) function.

But most of the time, when I need some basic feature in python, I
discover later it is in fact already implemented. ;-)

So, is there already something like that in python ?
I tried to write :
'element is in mylist'
but this appeared to be incorrect syntax...
There is no "is in" operator in Python, but you can write your test more
concisely as

any(myobject is element for element in mylist)

PS: Btw, how is set element comparison implemented ? My first
impression was that 'a' and 'b' members are considered equal if and
only if hash(a) == hash(b), but I was obviously wrong :
>>>class A(object):
... def __eq__(self,y):
... return False
... def __hash__(self):
... return 5
...
>>>a=A();b=A()
a==b
False
>>>hash(b)==hash(a)
True
>>>b in set([a])
False
>>>S=set([a])
S.difference([b])
set([<__main__.A object at 0xb7a91dac>])

So there is some equality check also, maybe only if '__eq__' is
implemented ?
In general equality is determined by __eq__() or __cmp__(). By default
object equality checks for identity.

Some containers (like the built-in set and dict) assume that a==b implies
hash(a) == hash(b).

Peter
Jul 18 '08 #2
On 18 juil, 11:30, Peter Otten <__pete...@web.dewrote:
nicolas.pource...@gmail.com wrote:
Hi,
I want to test if an object IS in a list (identity and not equality
test).
I can if course write something like this :
test = False
myobject = MyCustomClass(*args, **kw)
for element in mylist:
* * if element is myobject:
* * * * test = True
* * * * break
and I can even write a isinlist(elt, mylist) function.
But most of the time, when I need some basic feature in python, I
discover later it is in fact already implemented. ;-)
So, is there already something like that in python ?
I tried to write :
'element is in mylist'
but this appeared to be incorrect syntax...

There is no "is in" operator in Python, but you can write your test more
concisely as

any(myobject is element for element in mylist)
Thanks a lot
However, any() is only available if python version is >= 2.5, but I
may define a any() function on initialisation, if python version < 2.5

I think something like
>>id(myobject) in (id(element) for element in mylist)
would also work, also it's not so readable, and maybe not so fast
(?)...

An "is in" operator would be nice...
PS: Btw, how is set element comparison implemented ? My first
impression was that 'a' and 'b' members are considered equal if and
only if hash(a) == hash(b), but I was obviously wrong :
>>class A(object):
... def __eq__(self,y):
... return False
... def __hash__(self):
... return 5
...
>>a=A();b=A()
a==b
False
>>hash(b)==hash(a)
True
>>b in set([a])
False
>>S=set([a])
S.difference([b])
set([<__main__.A object at 0xb7a91dac>])
So there is some equality check also, maybe only if '__eq__' is
implemented ?

In general equality is determined by __eq__() or __cmp__(). By default
object equality checks for identity.

Some containers (like the built-in set and dict) assume that a==b implies
hash(a) == hash(b).

Peter
So, precisely, you mean that if hash(a) != hash(b), a and b are
considered distinct, and else [ie. if hash(a) == hash(b)], a and b are
the same if and only if a == b ?
Jul 18 '08 #3
In fact, 'any(myobject is element for element in mylist)' is 2 times
slower than using a for loop, and 'id(myobject) in (id(element) for
element in mylist)' is 2.4 times slower.

Jul 18 '08 #4
ni***************@gmail.com wrote:
I think something like
>>>id(myobject) in (id(element) for element in mylist)
would also work, also it's not so readable, and maybe not so fast
(?)...

An "is in" operator would be nice...
And rarely used. Probably even less than the (also missing)

< in, | in, you-name-it

operators...
So, precisely, you mean that if hash(a) != hash(b), a and b are
considered distinct, and else [ie. if hash(a) == hash(b)], a and b are
the same if and only if a == b ?
Correct for set, dict. For lists etc. the hash doesn't matter:
>>class A(object):
.... def __hash__(self):
.... return nexthash()
.... def __eq__(self, other):
.... return True
....
>>from itertools import count
nexthash = count().next
A() in [A() for _ in range(3)]
True
>>d = dict.fromkeys([A() for a in range(3)])
d.keys()[0] in d
False

Peter
Jul 18 '08 #5
ni***************@gmail.com wrote:
In fact, 'any(myobject is element for element in mylist)' is 2 times
slower than using a for loop, and 'id(myobject) in (id(element) for
element in mylist)' is 2.4 times slower.
This is not a meaningful statement unless you at least qualify with the
number of item that are actually checked. For sufficently long sequences
both any() and the for loop take roughly the same amount of time over here.

$ python -m timeit -s"items=range(1000); x = 1000" "any(x is item for item
in items)"
1000 loops, best of 3: 249 usec per loop
$ python -m timeit -s"items=range(1000); x = 1000" "for item in items:" "
if x is item: break"
1000 loops, best of 3: 276 usec per loop

$ python -m timeit -s"items=range(1000); x = 0" "any(x is item for item in
items)"
100000 loops, best of 3: 3 usec per loop
$ python -m timeit -s"items=range(1000); x = 0" "for item in items:" " if x
is item: break"
1000000 loops, best of 3: 0.317 usec per loop
Peter

PS: Take these numbers with a grain of salt, they vary a lot between runs.
Jul 18 '08 #6
On 18 juil, 12:26, Peter Otten <__pete...@web.dewrote:
nicolas.pource...@gmail.com wrote:
I think something like
>>id(myobject) in (id(element) for element in mylist)
would also work, also it's not so readable, and maybe not so fast
(?)...
An "is in" operator would be nice...

And rarely used. Probably even less than the (also missing)

< in, | in, you-name-it

operators...
Maybe, but imho
>>myobject is in mylist
is highly readable, when
>>myobject < in mylist
is not.
Jul 18 '08 #7
On 18 juil, 13:13, Peter Otten <__pete...@web.dewrote:
nicolas.pource...@gmail.com wrote:
In fact, 'any(myobject is element for element in mylist)' is 2 times
slower than using a for loop, and 'id(myobject) in (id(element) for
element in mylist)' is 2.4 times slower.

This is not a meaningful statement unless you at least qualify with the
number of item that are actually checked. For sufficently long sequences
both any() and the for loop take roughly the same amount of time over here.
Sorry. I used short lists (a list of 20 floats) and the element
checked was not in the list.
(That was the case I usually deals with in my code.)
Jul 18 '08 #8
ni***************@gmail.com wrote:
On 18 juil, 13:13, Peter Otten <__pete...@web.dewrote:
>nicolas.pource...@gmail.com wrote:
In fact, 'any(myobject is element for element in mylist)' is 2 times
slower than using a for loop, and 'id(myobject) in (id(element) for
element in mylist)' is 2.4 times slower.

This is not a meaningful statement unless you at least qualify with the
number of item that are actually checked. For sufficently long sequences
both any() and the for loop take roughly the same amount of time over
here.

Sorry. I used short lists (a list of 20 floats) and the element
checked was not in the list.
(That was the case I usually deals with in my code.)
What is your (concrete) use case, by the way?

If you want efficiency you should use a dictionary instead of the list
anyway:

$ python -m timeit -s"d=dict((id(i), i) for i in range(1000)); x =
1000" "id(x) in d"
1000000 loops, best of 3: 0.275 usec per loop

Peter
Jul 18 '08 #9
Peter Otten:
PS: Take these numbers with a grain of salt, they vary a lot between runs.
Another possibility :-)
from itertools import imap
id(x) in imap(id, items)

>If you want efficiency you should use a dictionary instead of the list anyway:
I agree, but sometimes you have few items to look for, so building the
whole dict (that requires memory too) may be a waste of time.

In theory this may be faster to build, but in practice you need a
benchmark:
ids = set(imap(id, items))
followed by:
id(x) in ids

Bye,
bearophile
Jul 18 '08 #10
What is your (concrete) use case, by the way?

I try to make it simple (there is almost 25000 lines of code...)
I have a sheet with geometrical objects (points, lines, polygons,
etc.)
The sheet have an object manager.

So, to simplify :
>>sheet.objects.A = Point(0, 0)
sheet.objects.B = Point(0, 2)
sheet.objects.C = Middle(A, B)
Then we have :
>>sheet.objects.A == sheet.objects.B
True

since have and B have the same coordinates.
But of course A and B objects are not same python objects.
In certain cases, some geometrical objects are automatically
referenced in the sheet, without being defined by the user.
(Edges for polygons, for example...)
But they must not be referenced twice. So if the edge of the polygon
is already referenced (because the polygon uses an already referenced
object for its construction...), it must not be referenced again.
However, if there is an object, which accidentally have the same
coordinates, it must be referenced with a different name.

So, I use something like this in 'sheet.objects.__setattr__(self,
name, value)':
if type(value) == Polygon:
for edge in value.edges:
if edge is_in sheet.objects.__dict__.itervalues():
object.__setattr__(self, self.__new_name(), edge)

Ok, I suppose it's confused, but it's difficult to sum up. ;-)
Another possibility :-)
from itertools import imap
id(x) in imap(id, items)
I didn't know itertools.
Thanks :-)
Jul 18 '08 #11
On Fri, 18 Jul 2008 07:39:38 -0700, nicolas.pourcelot wrote:
So, I use something like this in 'sheet.objects.__setattr__(self,
name, value)':
if type(value) == Polygon:
for edge in value.edges:
if edge is_in sheet.objects.__dict__.itervalues():
object.__setattr__(self, self.__new_name(), edge)

Ok, I suppose it's confused, but it's difficult to sum up. ;-)
You are setting attributes with computed names? How do you access them?
Always with `gettattr()` or via the `__dict__`? If the answer is yes, why
don't you put the objects the into a dictionary instead of the extra
redirection of an objects `__dict__`?

Oh and the `type()` test smells like you are implementing polymorphism
in a way that should be replaced by OOP techniques.

Ciao,
Marc 'BlackJack' Rintsch
Jul 18 '08 #12
ni***************@gmail.com wrote:
>What is your (concrete) use case, by the way?

I try to make it simple (there is almost 25000 lines of code...)
I have a sheet with geometrical objects (points, lines, polygons,
etc.)
The sheet have an object manager.

So, to simplify :
>>>sheet.objects.A = Point(0, 0)
sheet.objects.B = Point(0, 2)
sheet.objects.C = Middle(A, B)

Then we have :
>>>sheet.objects.A == sheet.objects.B
True

since have and B have the same coordinates.
But of course A and B objects are not same python objects.
In certain cases, some geometrical objects are automatically
referenced in the sheet, without being defined by the user.
(Edges for polygons, for example...)
But they must not be referenced twice. So if the edge of the polygon
is already referenced (because the polygon uses an already referenced
object for its construction...), it must not be referenced again.
However, if there is an object, which accidentally have the same
coordinates, it must be referenced with a different name.

So, I use something like this in 'sheet.objects.__setattr__(self,
name, value)':
if type(value) == Polygon:
for edge in value.edges:
if edge is_in sheet.objects.__dict__.itervalues():
object.__setattr__(self, self.__new_name(), edge)

Ok, I suppose it's confused, but it's difficult to sum up. ;-)
I won't pretend I understand ;)

If you make Point immutable you might be able to drop the "must not be
referenced twice" requirement.

Peter
Jul 18 '08 #13


Peter Otten wrote:
>So, precisely, you mean that if hash(a) != hash(b), a and b are
considered distinct, and else [ie. if hash(a) == hash(b)], a and b are
the same if and only if a == b ?

Correct for set, dict. For lists etc. the hash doesn't matter:
Since CPython saves strings hashes as part of the string object (last I
read, as part of internal string caching), it does something similar.
Compare lengths, then hashes, then C array.

Jul 18 '08 #14
On 18 juil, 17:52, Marc 'BlackJack' Rintsch <bj_...@gmx.netwrote:
On Fri, 18 Jul 2008 07:39:38 -0700, nicolas.pourcelot wrote:
So, I use something like this in 'sheet.objects.__setattr__(self,
name, value)':
if type(value) == Polygon:
* * for edge in value.edges:
* * * * if edge is_in sheet.objects.__dict__.itervalues():
* * * * * * object.__setattr__(self, self.__new_name(), edge)
Ok, I suppose it's confused, but it's difficult to sum up. ;-)

You are setting attributes with computed names? *How do you access them?
Always with `gettattr()` or via the `__dict__`? *If the answer is yes, why
don't you put the objects the into a dictionary instead of the extra
redirection of an objects `__dict__`?
Yes, I may subclass dict, and change its __getitem__ and __setitem__
methods, instead of changing objets __setattr__ and __getattr__... But
I prefer
>>sheet.objects.A = Point(0, 0)
than
>>sheet.objects["A"] = Point(0, 0)

Oh and the `type()` test smells like you are implementing polymorphism
in a way that should be replaced by OOP techniques.
I wrote 'type' here by mistake, but I used 'isinstance' in my
code. ;-)

If you make Point immutable you might be able to drop the "must not be
referenced twice" requirement.

Yes, but unfortunately I can't (or it would require complete
redesign...)
Jul 19 '08 #15
On Jul 20, 6:13 am, nicolas.pource...@gmail.com wrote:
On 18 juil, 17:52, Marc 'BlackJack' Rintsch <bj_...@gmx.netwrote:
On Fri, 18 Jul 2008 07:39:38 -0700, nicolas.pourcelot wrote:
So, I use something like this in 'sheet.objects.__setattr__(self,
name, value)':
if type(value) == Polygon:
for edge in value.edges:
if edge is_in sheet.objects.__dict__.itervalues():
object.__setattr__(self, self.__new_name(), edge)
Ok, I suppose it's confused, but it's difficult to sum up. ;-)
You are setting attributes with computed names? How do you access them?
Always with `gettattr()` or via the `__dict__`? If the answer is yes, why
don't you put the objects the into a dictionary instead of the extra
redirection of an objects `__dict__`?

Yes, I may subclass dict, and change its __getitem__ and __setitem__
methods, instead of changing objets __setattr__ and __getattr__... But
I prefer
>sheet.objects.A = Point(0, 0)
than
>sheet.objects["A"] = Point(0, 0)
Oh and the `type()` test smells like you are implementing polymorphism
in a way that should be replaced by OOP techniques.

I wrote 'type' here by mistake, but I used 'isinstance' in my
code. ;-)
If you make Point immutable you might be able to drop the "must not be

referenced twice" requirement.

Yes, but unfortunately I can't (or it would require complete
redesign...)
(1) You are searching through lists to find float objects by identity,
not by value
(2) Peter says he doesn't understand
(3) Marc thinks it smells

IOW, the indications are that it *already* requires complete redesign.
Jul 19 '08 #16
On Sat, 19 Jul 2008 13:13:40 -0700, nicolas.pourcelot wrote:
On 18 juil, 17:52, Marc 'BlackJack' Rintsch <bj_...@gmx.netwrote:
>On Fri, 18 Jul 2008 07:39:38 -0700, nicolas.pourcelot wrote:
So, I use something like this in 'sheet.objects.__setattr__(self,
name, value)':
if type(value) == Polygon:
Â* Â* for edge in value.edges:
Â* Â* Â* Â* if edge is_in sheet.objects.__dict__.itervalues():
Â* Â* Â* Â* Â* Â* object.__setattr__(self, self.__new_name(), edge)
Ok, I suppose it's confused, but it's difficult to sum up. ;-)

You are setting attributes with computed names? Â*How do you access them?
Always with `gettattr()` or via the `__dict__`? Â*If the answer is yes, why
don't you put the objects the into a dictionary instead of the extra
redirection of an objects `__dict__`?

Yes, I may subclass dict, and change its __getitem__ and __setitem__
methods, instead of changing objets __setattr__ and __getattr__... But
I prefer
>>>sheet.objects.A = Point(0, 0)
than
>>>sheet.objects["A"] = Point(0, 0)
But with computed names isn't the difference more like

setattr(sheet.objects, name, Point(0, 0))
vs.
sheet.objects[name] = Point(0, 0)

and

getattr(sheet.objects, name)
vs.
sheet.objects[name]

Or do you really have ``sheet.objects.A`` in your code, in the hope that
an attribute named 'A' exists?
>Oh and the `type()` test smells like you are implementing polymorphism
in a way that should be replaced by OOP techniques.

I wrote 'type' here by mistake, but I used 'isinstance' in my code. ;-)
Doesn't change the "code smell". OOP approach would be a method on the
geometric objects that know what to do instead of a type test to decide
what to do with each type of geometric object.

Ciao,
Marc 'BlackJack' Rintsch
Jul 20 '08 #17
(1) You are searching through lists to find float objects by identity,
not by value
????
Jul 20 '08 #18
On Jul 21, 4:33 am, nicolas.pource...@gmail.com wrote:
(1) You are searching through lists to find float objects by identity,
not by value

????
You wrote """
I used short lists (a list of 20 floats) and the element
checked was not in the list.
(That was the case I usually deals with in my code.)
"""
Jul 20 '08 #19
On 20 juil, 23:18, John Machin <sjmac...@lexicon.netwrote:
On Jul 21, 4:33 am, nicolas.pource...@gmail.com wrote:
(1) You are searching through lists to find float objects by identity,
not by value
????

You wrote """
I used short lists (a list of 20 floats) and the element
checked was not in the list.
(That was the case I usually deals with in my code.)
"""
:-D
Jul 20 '08 #20
On 20 juil, 07:17, Marc 'BlackJack' Rintsch <bj_...@gmx.netwrote:
On Sat, 19 Jul 2008 13:13:40 -0700, nicolas.pourcelot wrote:
On 18 juil, 17:52, Marc 'BlackJack' Rintsch <bj_...@gmx.netwrote:
On Fri, 18 Jul 2008 07:39:38 -0700, nicolas.pourcelot wrote:
So, I use something like this in 'sheet.objects.__setattr__(self,
name, value)':
if type(value) == Polygon:
* * for edge in value.edges:
* * * * if edge is_in sheet.objects.__dict__.itervalues():
* * * * * * object.__setattr__(self, self.__new_name(), edge)
Ok, I suppose it's confused, but it's difficult to sum up. ;-)
You are setting attributes with computed names? *How do you access them?
Always with `gettattr()` or via the `__dict__`? *If the answer is yes, why
don't you put the objects the into a dictionary instead of the extra
redirection of an objects `__dict__`?
Yes, I may subclass dict, and change its __getitem__ and __setitem__
methods, instead of changing objets __setattr__ and __getattr__... But
I prefer
>>sheet.objects.A = Point(0, 0)
than
>>sheet.objects["A"] = Point(0, 0)

But with computed names isn't the difference more like

setattr(sheet.objects, name, Point(0, 0))
vs.
sheet.objects[name] = Point(0, 0)

and

getattr(sheet.objects, name)
vs.
sheet.objects[name]

Or do you really have ``sheet.objects.A`` in your code, in the hope that
an attribute named 'A' exists?
Oh and the `type()` test smells like you are implementing polymorphism
in a way that should be replaced by OOP techniques.
I wrote 'type' here by mistake, but I used 'isinstance' in my code. ;-)

Doesn't change the "code smell". *OOP approach would be a method on the
geometric objects that know what to do instead of a type test to decide
what to do with each type of geometric object.

Ciao,
* * * * Marc 'BlackJack' Rintsch
Thank you for your advises, it's very interesting to have an external
point of view.

No, I have not anything like 'sheet.objects.A' in the library code,
but I use then the library in different programs where things like
sheet.objects.A sometimes occur.
However, since it is not so frequent, I may indeed subclass dict, and
change __getitem__, __setitem__ and __delitem__, and then redirect
__getattr__, __setattr__, __delattr__ to previous methods... This
would not break library external API, and it may speed-up a little
internal stuff.

I'm not very expert in OOP ; imho it's largely a mean and not a goal.
On one hand, 'a method on the geometric objects that know what to do'
would require them to contain some code concerning the object
manager... I don't like that very much. On the other hand, object
manager should not rely on object's implementation... I will think
about that.

Thank you all of you for your answers.
I'm sorry I may not have time to reply further, it was interesting :-)
(even if it's a bit difficult for me to write clearly in english ;-))
Jul 21 '08 #21

This thread has been closed and replies have been disabled. Please start a new discussion.

Similar topics

7
7551
by: - ions | last post by:
I have created a JComboBox with its Items as a list of "M" numbers ie. M1,M2,M3.......throgh too M110 (thes are the messier objects, a catolouge of deep sky objects) the user selects of of these...
3
2335
by: George Sakkis | last post by:
Explicit type checking is not typically seen in Python code, and usually that's not a big problem; most typing errors are likely to raise a TypeError or AttributeError sooner than later. There are...
5
2981
by: Tongu? Yumruk | last post by:
I have a little proposal about type checking in python. I'll be glad if you read and comment on it. Sorry for my bad english (I'm not a native English speaker) A Little Stricter Typing in Python...
0
1075
by: Paddy | last post by:
Hi, I read a blog entry by GVR on interfaces in which he mentioned that you had to be able to state the type signature of, say, a function. That got me thinking along the lines of: If you have...
0
1468
by: Mike Meyer | last post by:
The recent thread on threads caused me to reread the formal definition of SCOOP, and I noticed something I hadn't really impressed me the first time around: it's using staticly checkable rules to...
8
3238
by: Jack Addington | last post by:
I want to scroll through the alphabet in order to scroll some data to the closest name that starts with a letter. If the user hits the H button then it should scroll to the letter closest to H. ...
1
1417
by: Tom Leylan | last post by:
I'm either passing the wrong thing, comparing the wrong thing or... something else. I have a CSharp base class which is used to fire events and in CSharp I have defined a delegate for the custom...
4
6038
by: Darrel | last post by:
I'm trying to add an extra layer of error checking on a Drop Down List. The list is populated from one table, and then I select the selectedValue from another DB. While it SHOULDN'T ever happen,...
8
1869
by: Brendan | last post by:
There must be an easy way to do this: For classes that contain very simple data tables, I like to do something like this: class Things(Object): def __init__(self, x, y, z): #assert that x,...
16
3432
by: Joe Strout | last post by:
Let me preface this by saying that I think I "get" the concept of duck- typing. However, I still want to sprinkle my code with assertions that, for example, my parameters are what they're...
0
7198
marktang
by: marktang | last post by:
ONU (Optical Network Unit) is one of the key components for providing high-speed Internet services. Its primary function is to act as an endpoint device located at the user's premises. However,...
0
7072
by: Hystou | last post by:
Most computers default to English, but sometimes we require a different language, especially when relocating. Forgot to request a specific language before your computer shipped? No problem! You can...
1
6979
by: Hystou | last post by:
Overview: Windows 11 and 10 have less user interface control over operating system update behaviour than previous versions of Windows. In Windows 11 and 10, there is no way to turn off the Windows...
0
5570
agi2029
by: agi2029 | last post by:
Let's talk about the concept of autonomous AI software engineers and no-code agents. These AIs are designed to manage the entire lifecycle of a software development project—planning, coding, testing,...
0
4666
by: conductexam | last post by:
I have .net C# application in which I am extracting data from word file and save it in database particularly. To store word all data as it is I am converting the whole word file firstly in HTML and...
0
3160
by: TSSRALBI | last post by:
Hello I'm a network technician in training and I need your help. I am currently learning how to create and manage the different types of VPNs and I have a question about LAN-to-LAN VPNs. The...
0
3149
by: adsilva | last post by:
A Windows Forms form does not have the event Unload, like VB6. What one acts like?
0
1498
by: 6302768590 | last post by:
Hai team i want code for transfer the data from one system to another through IP address by using C# our system has to for every 5mins then we have to update the data what the data is updated ...
0
373
bsmnconsultancy
by: bsmnconsultancy | last post by:
In today's digital era, a well-designed website is crucial for businesses looking to succeed. Whether you're a small business owner or a large corporation in Toronto, having a strong online presence...

By using Bytes.com and it's services, you agree to our Privacy Policy and Terms of Use.

To disable or enable advertisements and analytics tracking please visit the manage ads & tracking page.