473,396 Members | 1,599 Online
Bytes | Software Development & Data Engineering Community
Post Job

Home Posts Topics Members FAQ

Join Bytes to post your question to a community of 473,396 software developers and data experts.

What is "self"?

OK, I'm a newbie...
I'm trying to learn Python & have had fun with it so far. But I'm having
trouble following the many code examples with the object "self." Can
someone explain this usage in plain english?

Thanks,
Wayne
Sep 23 '05 #1
20 2822
self is the class instance that the bound function being called belongs
to. This example should illustrate a bit.
class Foo(object):
def __init__(self, value):
self.value = value # so the Foo instance now has an attribute,
value

def get_value(self):
return self.value # This gets the previously-set value
attribute of the Foo instance

bar = Foo(42)
baz = Foo('101010')

print bar.get_value() #Note that the self argument is implicit since
this is a bound method.
print
print baz.get_value()

The output is (or should be, as this is untested):
42

101010

Sep 23 '05 #2
On Thu, 2005-09-22 at 21:36 -0400, Wayne Sutton wrote:
OK, I'm a newbie...
I'm trying to learn Python & have had fun with it so far. But I'm having
trouble following the many code examples with the object "self." Can
someone explain this usage in plain english?


"self" references the object itself. It's usually also called "this" on
other languages (C++ & Java I believe). In Python, when you define a
class method, the reference to the object is passed explicitly rather
than implicitly.

Also, the name "self" is used by convention. You could use any name if
you wanted, but if you want other people to understand your code then
use "self".

Is that plain English enough?

Sep 23 '05 #3
Wayne Sutton wrote:
OK, I'm a newbie...
I'm trying to learn Python & have had fun with it so far. But I'm having
trouble following the many code examples with the object "self." Can
someone explain this usage in plain english?

Thanks,
Wayne

I'll give it a try..

When you have a class definition:

class Person(object):
def set_name(self, name):
self.name = name

The method "set_name", has no idea what your class instance is going to
called at this point. But it will need to know when it's called. So
for now "self" is just a argument waiting to be assigned a reference
later just like any other function argument. You can actually call it
anything you want but "self" is sort of a tradition.

leader = Person()

This creates an instance of your class and stores a reference to it in
the name "leader". Now that that you have an instance with a name. You
can use your class method to do something.

leader.set_name("John")

When you call a method of an instance, Python translates it to...

leader.set_name(leader, "John")

So "self" in your method definition gets assigned a reference to
"leader". "self" can then be used to access the other values and
methods stored in your class instance. Or in this case store a value in
your class instance. Basically "self" becomes a reference to the class
instance it is in.

self.name = name

is the same as ...

leader.name = name

But we didn't know it was going to be called "leader" when we wrote the
class. So self is a convienent place holder.
I hope this helped.

Cheers,
Ron



Sep 23 '05 #4
I'm sure there are answers to this out there, but I'm typing this one up so I
can show it to people that I try to teach this language. They consistently
get hung up on what self is. So here is my try:

==

Self is one of those python concepts that new python programmers have a little
difficulty with. It refers to the instance of the class that is calling the
method. That's confusing, so let's do an example.

Say you have a class called Thing

class Thing:
def __init__(self, aval):
self.value = aval
def doit(self, another_val):
print "Time 'till end of world:", (self.value + another_val)
You can instatiate the thing class

athing = Thing(1)

The object referenced by the name "athing" lives in your computers memory
somewhere. The name "athing" is how we reference, or talk about, that object.
Above, "doit" is a member function of the Thing class. How can we call doit?

athing.doit(5)

What happened here? Why did we need self in the definition of doit when we
didn't obviously pass something that we could construe as self? Well, we did
pass something we could construe as self, it was "athing". How is this? Well,

athing.doit(5)

is equivalent to (and shorthand for)

Thing.doit(athing, 5)

Here is a picture of what this did:

def doit(self, another_val)
^ ^
athing 5

print "Time 'till end of world:", (self.value + another_val)
^ ^
athing.value 5
This complies with the signature of the "Thing.doit" member function. The
compiler turned the shorthand "athing.doit(5)" into "Thing.doit(athing, 5)"
for us, saving us a little typing in the process and making our code easier
to read.

So, when we talk use self as a name in class member functions, we are actually
referencing the instance that was passed to the member function. So for this
example "athing" and "self" reference the same object. If an instance called
another_thing was passed, then another_thing and self would refence the same
object:

another_thing = Thing()
Thing.doit(another_thing, 5) # same as another_thing.doit(5)

==

On Thursday 22 September 2005 18:36, Wayne Sutton wrote:
OK, I'm a newbie...
I'm trying to learn Python & have had fun with it so far. But I'm having
trouble following the many code examples with the object "self." Can
someone explain this usage in plain english?

Thanks,
Wayne


--
James Stroud
UCLA-DOE Institute for Genomics and Proteomics
Box 951570
Los Angeles, CA 90095

http://www.jamesstroud.com/
Sep 23 '05 #5
Ron Adam wrote:
When you call a method of an instance, Python translates it to...

leader.set_name(leader, "John")


It actually translates it to

Person.set_name(leader, "John")

--
Erik Max Francis && ma*@alcyone.com && http://www.alcyone.com/max/
San Jose, CA, USA && 37 20 N 121 53 W && AIM erikmaxfrancis
Extremes meet.
-- John Hall Wheelock
Sep 23 '05 #6
Ron Adam <rr*@ronadam.com> wrote:
You can actually call it anything you want but "self" is sort of a
tradition.


That's true, but I think needs to be said a bit more emphatically. There's
no reason to call it anything other than "self" and a newcomer to the
language would be well advised to not try and be creative here. Using
"self" is virtually universal, and calling it anything else will just lead
to confusion by other people who have to read your code.
Sep 23 '05 #7
Roy Smith <ro*@panix.com> wrote in
news:ro***********************@reader1.panix.com:
Ron Adam <rr*@ronadam.com> wrote:
You can actually call it anything you want but "self" is sort
of a tradition.


That's true, but I think needs to be said a bit more
emphatically. There's no reason to call it anything other than
"self" and a newcomer to the language would be well advised to
not try and be creative here. Using "self" is virtually
universal, and calling it anything else will just lead to
confusion by other people who have to read your code.


I've long thought that Guido missed an opportunity by not choosing
to use 'i' as the instance identifier, and making it a reserved
word. For one thing, it would resonate with the personal pronoun
'I', and so carry essentially the same meaning as 'self'. It could
also be understood as an initialism for 'instance'. And, because it
is shorter, the number of objections to its existence *might* have
been smaller than seems to be the case with 'self' as the
convention.

And as a side benefit, it would make it impossible to use as a loop
index a language feature that would be a huge selling point among a
lot of experienced programmers.

--
rzed
Sep 23 '05 #8
Rick Wotnaz wrote:
Roy Smith <ro*@panix.com> wrote in
news:ro***********************@reader1.panix.com:

Ron Adam <rr*@ronadam.com> wrote:
You can actually call it anything you want but "self" is sort
of a tradition.


That's true, but I think needs to be said a bit more
emphatically. There's no reason to call it anything other than
"self" and a newcomer to the language would be well advised to
not try and be creative here. Using "self" is virtually
universal, and calling it anything else will just lead to
confusion by other people who have to read your code.

I've long thought that Guido missed an opportunity by not choosing
to use 'i' as the instance identifier, and making it a reserved
word. For one thing, it would resonate with the personal pronoun
'I', and so carry essentially the same meaning as 'self'. It could
also be understood as an initialism for 'instance'. And, because it
is shorter, the number of objections to its existence *might* have
been smaller than seems to be the case with 'self' as the
convention.

And as a side benefit, it would make it impossible to use as a loop
index a language feature that would be a huge selling point among a
lot of experienced programmers.


And an annoyance to others.
Sep 23 '05 #9
Rick Wotnaz <de*****@wtf.com> wrote:
I've long thought that Guido missed an opportunity by not choosing
to use 'i' as the instance identifier, and making it a reserved
word. For one thing, it would resonate with the personal pronoun
'I', and so carry essentially the same meaning as 'self'. It could
also be understood as an initialism for 'instance'. And, because it
is shorter, the number of objections to its existence *might* have
been smaller than seems to be the case with 'self' as the
convention.


My first serious forays into Python, where no-one else was expected
to be maintaining the code, used 'I' instead of 'self' -- it's
shorter, stands out better, and 'I.do_something()' reads more like
English than 'self.do_something()' (unless, I suppose, you're
thinking in terms of message passing). Then I started working on
code which other people might need to look at, and got an editor
whose Python syntax highlighting pretended that 'self' was a
reserved word, and now all my old code looks odd. (But still
perfectly readable -- this is Python after all.)

--
\S -- si***@chiark.greenend.org.uk -- http://www.chaos.org.uk/~sion/
___ | "Frankly I have no feelings towards penguins one way or the other"
\X/ | -- Arthur C. Clarke
her nu becomeþ se bera eadward ofdun hlæddre heafdes bæce bump bump bump
Sep 23 '05 #10
On Friday 23 September 2005 07:11 am, Rick Wotnaz wrote:
I've long thought that Guido missed an opportunity by not choosing
to use 'i' as the instance identifier, and making it a reserved
word. For one thing, it would resonate with the personal pronoun
'I', and so carry essentially the same meaning as 'self'. It could
also be understood as an initialism for 'instance'. And, because it
is shorter, the number of objections to its existence *might* have
been smaller than seems to be the case with 'self' as the
convention.

And as a side benefit, it would make it impossible to use as a loop
index a language feature that would be a huge selling point among a
lot of experienced programmers.


How exactly is that? Anybody who uses "i" as a variable name for
anything other than an innermost loop index is a sick and twisted
code sadist.

You'd prefer what? "count" or "kount" or "i_am_an_innermost_loop_index_counter".
I mean "explicit is better than implicit", right?

Maybe Fortran warped my brain, but I just don't see the benefit here.
--
Terry Hancock ( hancock at anansispaceworks.com )
Anansi Spaceworks http://www.anansispaceworks.com

Sep 23 '05 #11
Terry Hancock <ha*****@anansispaceworks.com> wrote in
news:ma************************************@python .org:
On Friday 23 September 2005 07:11 am, Rick Wotnaz wrote:
I've long thought that Guido missed an opportunity by not
choosing to use 'i' as the instance identifier, and making it a
reserved word. For one thing, it would resonate with the
personal pronoun 'I', and so carry essentially the same meaning
as 'self'. It could also be understood as an initialism for
'instance'. And, because it is shorter, the number of
objections to its existence *might* have been smaller than
seems to be the case with 'self' as the convention.

And as a side benefit, it would make it impossible to use as a
loop index a language feature that would be a huge selling
point among a lot of experienced programmers.


How exactly is that? Anybody who uses "i" as a variable name
for anything other than an innermost loop index is a sick and
twisted code sadist.

You'd prefer what? "count" or "kount" or
"i_am_an_innermost_loop_index_counter". I mean "explicit is
better than implicit", right?

Maybe Fortran warped my brain, but I just don't see the benefit
here. --


Oh, 'ix' would be fine. Single-letter loop counters are also semi-
fine if that is in fact their only use. It too-frequently happens
that at some point the handy 'i' identifier is used outside the
loop (for another placeholder), and its value is tromped by an
intervening loop. Not terribly difficult to discover, but then
what? When you're maintaining code, even a two-character index is a
*lot* easier to find in source code and replace as needed.

--
rzed
Sep 23 '05 #12
Terry Hancock wrote:
On Friday 23 September 2005 07:11 am, Rick Wotnaz wrote:

I've long thought that Guido missed an opportunity by not choosing
to use 'i' as the instance identifier, and making it a reserved
word. For one thing, it would resonate with the personal pronoun
'I', and so carry essentially the same meaning as 'self'.
Not realy.
It could
also be understood as an initialism for 'instance'.
MUCH better then trying to make it refer to "i" as in "me", but still.
And, because it
is shorter, the number of objections to its existence *might* have
been smaller than seems to be the case with 'self' as the
convention.

Humm... maybe. But would reap the fact that i does not have the same
exact meaning of self.
With the word self, it is possable to change a feature of yourSELF, but
try saying you changed a feature of "yourI", some internal logic in the
programmers brain is going to go off, and if the programmer is tired and
trying to finish something up but has that kind of internal confusion,
as suttle as it may be, he will get burnt out and have to wait intill
the next day.
And as a side benefit, it would make it impossible to use as a loop
index a language feature that would be a huge selling point among a
lot of experienced programmers.

You think thats a good thing? o.0.
I agree that sometimes you need to name your loop variables well, but
sometimes you only need a simple, temp loop variable.

I would expect such an aprouch to be more likely to be found in intercal
(http://www.catb.org/~esr/intercal/), rather then in Python.
How exactly is that? Anybody who uses "i" as a variable name for
anything other than an innermost loop index is a sick and twisted
code sadist.
Agreed, though to say "code sadist" is a little hard don't ya think? ;)
You'd prefer what? "count" or "kount" or "i_am_an_innermost_loop_index_counter".
I mean "explicit is better than implicit", right?
Maybe Fortran warped my brain, but I just don't see the benefit here.
Me ither.

I am no english professor, but isn't the word "i" usualy pointed at
something you will, have, can, or can't do in english?
"me" or "self" or "this" or "my" or "cls" or "inst" are refering to just
the object, nothing more, nothing less (except for "my" which is like
referring to "something i own") and are much more human-comprehendable.
IMHO.
--
Terry Hancock ( hancock at anansispaceworks.com )
Anansi Spaceworks http://www.anansispaceworks.com


Peter
Sep 23 '05 #13
On Friday 23 September 2005 10:42 am, Peter wrote:
Terry Hancock wrote:
How exactly is that? Anybody who uses "i" as a variable name for
anything other than an innermost loop index is a sick and twisted
code sadist.

Agreed, though to say "code sadist" is a little hard don't ya think? ;)


I don't know, I thought it quite poetic. ;-)
You'd prefer what? "count" or "kount" or "i_am_an_innermost_loop_index_counter".
I mean "explicit is better than implicit", right?

Maybe Fortran warped my brain, but I just don't see the benefit here.

Me ither.

I am no english professor, but isn't the word "i" usualy pointed at
something you will, have, can, or can't do in english?
"me" or "self" or "this" or "my" or "cls" or "inst" are refering to just
the object, nothing more, nothing less (except for "my" which is like
referring to "something i own") and are much more human-comprehendable.
IMHO.


Whoa, you totally lost me there, dude.

;-)

--
Terry Hancock ( hancock at anansispaceworks.com )
Anansi Spaceworks http://www.anansispaceworks.com

Sep 23 '05 #14
On Friday 23 September 2005 10:41 am, Rick Wotnaz wrote:
Oh, 'ix' would be fine. Single-letter loop counters are also semi-
fine if that is in fact their only use. It too-frequently happens
that at some point the handy 'i' identifier is used outside the
loop (for another placeholder), and its value is tromped by an
intervening loop. Not terribly difficult to discover, but then
what? When you're maintaining code, even a two-character index is a
*lot* easier to find in source code and replace as needed.


Sorry, but if you have to grep for it, your loop is TOO DARNED LARGE,
USE A FUNCTION CALL!

--
Terry Hancock ( hancock at anansispaceworks.com )
Anansi Spaceworks http://www.anansispaceworks.com

Sep 23 '05 #15
Erik Max Francis wrote:
Ron Adam wrote:
When you call a method of an instance, Python translates it to...

leader.set_name(leader, "John")

It actually translates it to

Person.set_name(leader, "John")


I thought that I might have missed something there.

Is there a paper on how python accesses and stores instance data and
methods? I googled but couldn't find anything that addressed this
particular question.
class a(object): .... def x(self):
.... print 'x'
.... b = a()
b <__main__.a object at 0x009D1890> b.x

<bound method a.x of <__main__.a object at 0x009D1890>>

So what exactly is a bound method object? Does it possibly translates
to something like the following?

def x(*args, **kwds):
self = ?
return __class__.self(self, *args, **kwds)

Cheers,
Ron

Sep 23 '05 #16
Ron Adam wrote:
Erik Max Francis wrote:
Ron Adam wrote:

When you call a method of an instance, Python translates it to...

leader.set_name(leader, "John")

It actually translates it to

Person.set_name(leader, "John")

I thought that I might have missed something there.

Is there a paper on how python accesses and stores instance data and
methods? I googled but couldn't find anything that addressed this
particular question.
>>> class a(object): ... def x(self):
... print 'x'
... >>> b = a()
>>> b <__main__.a object at 0x009D1890> >>> b.x <bound method a.x of <__main__.a object at 0x009D1890>>

So what exactly is a bound method object? Does it possibly translates
to something like the following?

def x(*args, **kwds):
self = ?
return __class__.self(self, *args, **kwds)

Cheers,
Ron



All is explained at:
http://users.rcn.com/python/download...ns-and-methods
and further at:
http://www.python.org/pycon/2005/pap...c05_bla_dp.pdf

"For objects, the machinery is in object.__getattribute__ which transforms b.x
into type(b).__dict__['x'].__get__(b, type(b))."

What follows is my interpretation - hope it's correct:

# what exactly is a bound method object?
# Illustrate b.f => type(b).__dict__['x'].__get__(b, type(b))
class B(object): ... def f(self, x):
... return x or 42
... b = B()
type(b).__dict__['f'] <function f at 0x015052B0> # a plain old function _.__get__(b, type(b)) # invoke the descriptor protocol # to make a bound method
<bound method B.f of <Untitled7.B object at 0x01843D70>>
You don't have to use object.__getattribute__ to get a bound method. Nor does
the function have to be in the class dictionary. You can just call any function
descriptor yourself:
def g(self, y): ... return self.f(y)
... boundg = g.__get__(b) # bind to B instance
boundg <bound method ?.g of <Untitled7.B object at 0x01843D70>> boundg(0) 42
Looked at this way, function.__get__ just does partial function application (aka
currying).
def f(x, y): ... return x+y
... add42 = f.__get__(42)
add42 <bound method ?.f of 42> add42(1)

43
Michael

Sep 23 '05 #17
Michael Spencer wrote:
All is explained at:
http://users.rcn.com/python/download...ns-and-methods
and further at:
http://www.python.org/pycon/2005/pap...c05_bla_dp.pdf

"For objects, the machinery is in object.__getattribute__ which
transforms b.x into type(b).__dict__['x'].__get__(b, type(b))."

What follows is my interpretation - hope it's correct:

# what exactly is a bound method object?
# Illustrate b.f => type(b).__dict__['x'].__get__(b, type(b))
>>> class B(object): ... def f(self, x):
... return x or 42
... >>> b = B()
>>> type(b).__dict__['f'] <function f at 0x015052B0> # a plain old function >>> _.__get__(b, type(b)) # invoke the descriptor protocol # to make a bound method
<bound method B.f of <Untitled7.B object at 0x01843D70>> >>>


This still seems not quite right to me... Or more likely seems to be
missing something still.

(But it could be this migraine I've had the last couple of days
preventing me from being able to concentrate on things with more than a
few levels of complexity.)

Playing around with the shell a bit gives the impression that calling a
method in a instance gives the following (approximate) result...

try:
leader.__dict__["set_name"]("John")
except:
type(leader).__dict__["set_name"].__get__(leader, "John")
# which results in...
# Person.set_name(leader, "John")
except:
raise( AttributeError,
"%s object has no attribute %s" \
% (leader, "set_name") )
Of course this wouldn't use the object names directly... I guess I'll
need to look in the C object code to see exactly how it works. But the
links you gave help.

Thanks,
Ron



Sep 25 '05 #18
> This still seems not quite right to me... Or more likely seems to be
missing something still.

(But it could be this migraine I've had the last couple of days
preventing me from being able to concentrate on things with more than a
few levels of complexity.)

Playing around with the shell a bit gives the impression that calling a
method in a instance gives the following (approximate) result...

try:
leader.__dict__["set_name"]("John")
except:
type(leader).__dict__["set_name"].__get__(leader, "John")
# which results in...
# Person.set_name(leader, "John")
except:
raise( AttributeError,
"%s object has no attribute %s" \
% (leader, "set_name") )
Of course this wouldn't use the object names directly... I guess I'll
need to look in the C object code to see exactly how it works. But the
links you gave help.


I guess you mean to indent the whole part after the first except and put
a try beforehand?

Apart from that you seem to be right - there can very well be values in
the class dict that don't follow the descriptor-protocol. However my
playing around with this stuff indicates that the creation of bound
methods relies on the method being wrapped in a descriptor - otherwise,
you get the notorious TypeError

set_name() takes exactly 1 argument (0 given)

as the binding doesn't occur.

Regards,

Diez
Sep 26 '05 #19
Diez B. Roggisch wrote:
This still seems not quite right to me... Or more likely seems to be
missing something still.

(But it could be this migraine I've had the last couple of days
preventing me from being able to concentrate on things with more than
a few levels of complexity.)

Playing around with the shell a bit gives the impression that calling
a method in a instance gives the following (approximate) result...

try:
leader.__dict__["set_name"]("John")
except:
type(leader).__dict__["set_name"].__get__(leader, "John")
# which results in...
# Person.set_name(leader, "John")
except:
raise( AttributeError,
"%s object has no attribute %s" \
% (leader, "set_name") )
Of course this wouldn't use the object names directly... I guess I'll
need to look in the C object code to see exactly how it works. But
the links you gave help.

I guess you mean to indent the whole part after the first except and put
a try beforehand?


Yes, I did. I'm not sure why I left out the try.

try:
leader.__dict__["set_name"]("John")
except:
try:
type(leader).__dict__["set_name"].__get__(leader, "John")
# which results in...
# Person.set_name(leader, "John")
except:
raise( AttributeError,
"%s object has no attribute %s" \
% (leader, "set_name") )
Apart from that you seem to be right - there can very well be values in
the class dict that don't follow the descriptor-protocol. However my
playing around with this stuff indicates that the creation of bound
methods relies on the method being wrapped in a descriptor - otherwise,
you get the notorious TypeError

set_name() takes exactly 1 argument (0 given)

as the binding doesn't occur.

Regards,

Diez


What I've noticed is you can block the visibility of a class attribute,
which include methods, by inserting an object in the instance with the
same name.

Python 2.4.1 (#65, Mar 30 2005, 09:13:57) [MSC v.1310 32 bit (Intel)] on
win32
Type "help", "copyright", "credits" or "license" for more information.
class a(object): .... def b(self, value):
.... print value
.... aa = a()
def foo(value): .... print "%r" % value
.... aa.b('hello') hello aa.b = foo
aa.b('hello') 'hello' del aa.b
aa.b('hi there') hi there
So the underlying mechanism for calling methods doesn't kick in until
*after* an attempt to get an attribute of the same name in the instance.
a.boo = boo
def boo(self, value): .... print list(value)
.... a.boo = boo
aa.boo('hello')

['h', 'e', 'l', 'l', 'o']

The attribute aa.boo is not there, so call boo.__get__() in class a.
Cheers,
Ron
Sep 27 '05 #20
Ron Adam wrote:
What I've noticed is you can block the visibility of a class attribute,
which include methods, by inserting an object in the instance with the
same name.
[snip example of this behavior]

Yes, that's true for "non-data descriptors" (see last two bullets below)

Raymond Hettinger [http://users.rcn.com/python/download/Descriptor.htm]
The important points to remember are:

* descriptors are invoked by the __getattribute__ method
* overriding __getattribute__ prevents automatic descriptor calls
* __getattribute__ is only available with new style classes and objects
* object.__getattribute__ and type.__getattribute__ make different calls to __get__. * data descriptors always override instance dictionaries.
* non-data descriptors may be overridden by instance dictionaries.


Michael

Sep 27 '05 #21

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

Similar topics

3
by: Todd Gardner | last post by:
Pardon my extremely ignorant newbie questions. Where can I go to find more information about the "self" argument? Is there something special about the word "self" or did Mr. Guido van Rossum...
5
by: BJörn Lindqvist | last post by:
I think it would be cool if you could refer to instance variables without prefixing with "self." I know noone else thinks like me so Python will never be changed, but maybe you can already do it...
26
by: Fernando M. | last post by:
Hi, i was just wondering about the need to put "self" as the first parameter in every method a class has because, if it's always needed, why the obligation to write it? couldn't it be implicit?...
9
by: shannonl | last post by:
Hi all, For some reason this bind is calling the donothing function, like it should, but is then allowing the text to be inserted into the Text widget. Here is the code: ...
13
by: Kurda Yon | last post by:
Hi, I found one example which defines the addition of two vectors as a method of a class. It looks like that: class Vector: def __add__(self, other): data = for j in range(len(self.data)):...
8
by: ssecorp | last post by:
I first learned about OO from Java. I much prefer to program in Python though. However I am consufed about 2 things. 1. Why do I have to pass self into every method in a class? Since I am...
0
by: ryjfgjl | last post by:
In our work, we often receive Excel tables with data in the same format. If we want to analyze these data, it can be difficult to analyze them because the data is spread across multiple Excel files...
0
by: emmanuelkatto | last post by:
Hi All, I am Emmanuel katto from Uganda. I want to ask what challenges you've faced while migrating a website to cloud. Please let me know. Thanks! Emmanuel
1
by: nemocccc | last post by:
hello, everyone, I want to develop a software for my android phone for daily needs, any suggestions?
1
by: Sonnysonu | last post by:
This is the data of csv file 1 2 3 1 2 3 1 2 3 1 2 3 2 3 2 3 3 the lengths should be different i have to store the data by column-wise with in the specific length. suppose the i have to...
0
by: Hystou | last post by:
There are some requirements for setting up RAID: 1. The motherboard and BIOS support RAID configuration. 2. The motherboard has 2 or more available SATA protocol SSD/HDD slots (including MSATA, M.2...
0
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
Oralloy
by: Oralloy | last post by:
Hello folks, I am unable to find appropriate documentation on the type promotion of bit-fields when using the generalised comparison operator "<=>". The problem is that using the GNU compilers,...
0
tracyyun
by: tracyyun | last post by:
Dear forum friends, With the development of smart home technology, a variety of wireless communication protocols have appeared on the market, such as Zigbee, Z-Wave, Wi-Fi, Bluetooth, etc. Each...
0
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,...

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.