473,385 Members | 1,311 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,385 software developers and data experts.

Help using setInterval within an object function

Hi-

I am trying to use setInterval to call a method within an object and
have not had any luck. I get "Object doesn't support this property or
method" when I execute the following code. What I am doing wrong?

Your help will be much appreciated.
Thanks
<script language="Javascript">

function someObject(){
}

someObject.prototype.showNext = function(){
alert('listening...');
}

//i've tried this:
someObject.prototype.startListening = function(){
this.interval = setInterval('this.showNext()', 2000);
}

//and this:
someObject.prototype.startListening = function(){
this.interval = setInterval(this.showNext(), 2000);

/*

is 'this.showNext()' referencing setInterval and not my object?

*/
}
var x = new someObject();
x.startListening();

</script>

Jul 23 '05 #1
6 15173
I am not sure that this helps, but:-

OPTION 1
this.interval = setInterval(this.showNext(), 2000);


Remove the ( ) as these call the function. You want to pass a reference
to the function instead, thus:

this.interval = setInterval(this.showNext, 2000);

OPTION 2

Use a closure:-

someObject.prototype.startList*ening = function()
{
this.interval = setInterval(showNext, 2000);

function showNext()
{
alert('listening...');
}
}

Julian

Jul 23 '05 #2
marktm wrote:
I am trying to use setInterval to call a method within an
object and have not had any luck. I get "Object doesn't
support this property or method" when I execute the
following code. What I am doing wrong? <snip> <script language="Javascript">
The language attribute of script elements is deprecated in HTML 4, and
the type attribute is required (rendering the language attribute
redundant). Only attempting to script formally valid HTML removes an
entire category of potential cross-browser scripting pitfalls (saves a
lot of effort and trouble in the long run), but the script elements
themselves need to be valid in order not to have the validator flag them
as erroneous:-

<script type="text/javascript">
function someObject(){
}

someObject.prototype.showNext = function(){
alert('listening...');
}

//i've tried this:
someObject.prototype.startListening = function(){
this.interval = setInterval('this.showNext()', 2000);
Strings used as the first argument to setTimout/Interval are evaluated
and executed in the global scope, and in the global scope the - this -
keyword is a reference to the global object. The global object does not
have a - showNext - method (unless you give it one) so that code will
error, as described.
}

//and this:
someObject.prototype.startListening = function(){
this.interval = setInterval(this.showNext(), 2000);
But the behaviour was different here as this code put up the alert box,
it did so when the setInterval function was fist called (and only once).

This expression has called the - showNext - method of the object
instance and it is the return value form that function call that is
passed to the setInterval function as an argument. The - showNext -
method returns - undefined - so the first argument to the setInterval
function will likely be type converted into the string "undefined",
which is a pointless expression when executed in the global context on
more modern browsers, and an error (E.G.: IE 4 -> "undefined is
undefined") on older ones.
/*

is 'this.showNext()' referencing setInterval and not my object?
setInterval/Timeout has no knowledge of the context in which it is used.
It's arguments are either a string that will be evaluated/executed in
the global context, or a function reference where the function will be
executed as a function (not as a method of an object, i.e. the - this -
keyword will always refer to the global object).
}

var x = new someObject();
x.startListening();

</script>


If the desire is to retain the association of the function call with an
object instance (which is not worthwhile unless the method called
actually refers to an object instance (uses the - this - keyword)), then
with string arguments a globally accessible reference to the object
instance would need to be created (or an existing one used). In this
case you have a global variable - x - referring to the object instance
so:-

setInterval( "x.showNext();", 1000);

- would work, but be a terrible design as it would have made a detail of
how the object was to be used internal to the object, and you would only
be able to ever use one instance of the object (suggesting an entirely
difference approach from the outset).

To be useful the string argument would need to know how to refer to
distinct object instances without any interest in how those objects were
being employed by external code (anonymously).

This can be done, for example, by having each object constructed create
an unique global reference to itself. E.G:-

function someObject(){
this.index = someObject.instances.length;
someObject.instances[this.index] = this;
}

someObject.instances = [];

someObject.prototype.startListening = function(){
this.interval = setInterval(
'someObject.instances['+this.index+'].showNext()',
2000
);
}

- Which is a bit cumbersome, and leaves you with an array of all objects
created (so they will not be garbage collected if otherwise freed,
unless an explicit 'destroy' facility is provided and used to remove the
references from the globally accessible array).

Using function references as the first argument to setTimeout/Interval,
while preserving the association with an object instance, is simpler to
arrange and more complex to understand as it requires closures. See:-

<URL: http://jibbering.com/faq/faq_notes/closures.html >

And some older browsers do not understand function references as the
first argument to the setTimeout/Interval functions, only strings
(though that can be worked around).

Richard.
Jul 23 '05 #3
OPTION 3

Sorry, taking account of what Richard has said, a more accurate example
of a closure would be:-

someObject.prototype.showNext = function()
{
alert('listening...');
};

someObject.prototype.startList**ening = function()
{
var oInstance=this; // CAPTURE THIS

this.interval = setInterval(function(){oInstance.showNext()},
2000);
// oINSTANCE IS "CLOSED" INSIDE THE ANONYMOUS FUNCTION
};

Jul 23 '05 #4
Thanks!

Jul 23 '05 #5
Use the 2nd way, but leave off the parentheses:
this.interval = setInterval(this.showNext, 2000);
Reason:
Method 1 fails because it is interpretted as a function called "this" -- it
is in quotes.
Method 2 fails because with the parentheses and not in quotes, the function
is executed immediately, and in fact could return another function as the
value to be "called".
Clear, sort of?
....Jim Lee, Dallas, TX...

"marktm" <ma****@gmail.com> wrote in message
news:11*********************@z14g2000cwz.googlegro ups.com...
Hi-

I am trying to use setInterval to call a method within an object and
have not had any luck. I get "Object doesn't support this property or
method" when I execute the following code. What I am doing wrong?

Your help will be much appreciated.
Thanks
<script language="Javascript">

function someObject(){
}

someObject.prototype.showNext = function(){
alert('listening...');
}

//i've tried this:
someObject.prototype.startListening = function(){
this.interval = setInterval('this.showNext()', 2000);
}

//and this:
someObject.prototype.startListening = function(){
this.interval = setInterval(this.showNext(), 2000);

/*

is 'this.showNext()' referencing setInterval and not my object?

*/
}
var x = new someObject();
x.startListening();

</script>

Jul 23 '05 #6
Jimnbigd wrote:
Use the 2nd way, but leave off the parentheses:
this.interval = setInterval(this.showNext, 2000);
Which will loose the association with the object instance and so be
useless in real world examples.
Reason:
Method 1 fails because it is interpretted as a function
called "this" -- it is in quotes. <snip>

Nothing is interpreted 'as a function called "this"', the - this -
keyword, in this context, is interpreted as a reference to the global
object, and - this.showNext - is interpreted as a property of the global
object. Because that property is not defined an error is generated when
it is called as a method.

If you are going to post answers to questions that have already been
answered twice it would be a good idea to read and understand the other
answers, and not be posting responses that are factually wrong and
disregard an important detail that has been covered in those other
answers.
"marktm" <ma****@gmail.com> wrote ...

<snip>

Please do not top-post on comp.lang.javascript, see the FAQ for details.

Richard.
Jul 23 '05 #7

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

Similar topics

28
by: Daniel | last post by:
Hello =) I have an object which contains a method that should execute every x ms. I can use setInterval inside the object construct like this - self.setInterval('ObjectName.methodName()',...
10
by: Richard A. DeVenezia | last post by:
At line this.timerId = setInterval (function(){this.step()}, 100) I get error dialog Error:Object doesn't support this property or method. If I change it to this.timerId = setInterval...
5
by: Jamiil | last post by:
Using Microsof Front Page, I am trying to display the time on the Status Line, however, to no avail. Here is a snip of the code code: ...\dev\JavaScript\DisplayTimeInStatusLine.js <HTML> <HEAD>...
3
by: shawn | last post by:
Hi All Was trying to get this bit of code working (simplified of course) for (i=0;i<uuid_num;i++) { window.setInterval(InitMap(uuidValues), timePeriod); } Where uuid_num, uuidValues,...
2
by: alxasa | last post by:
Hi, I have a setInterval which executes its command every 10 seconds in a infinite loop. I've got something real basic like: var processes=0; function startme(){ if(stopthisloop>1)
10
by: Evan Charlton | last post by:
Hey all, I'm having some trouble with window.setInterval() within a custom object/prototype. Here is my code: function MyClass() { // do some junk // ... // define methods this.m_one =...
2
by: shawnwperkins | last post by:
Hi Folks, I'm new to Javascript and just need a little help. I downloaded a script from Dynamic Drive's Web site and I'm trying to make a simple modification and could use some help. :) The...
1
by: shawnwperkins | last post by:
Hi Guys, I'm new to Javascript and have a couple of questions that I hope someone could quickly answer for me. First, I'm trying to modify an example Ajax script to fit my needs. The script...
53
by: souporpower | last post by:
Hello All I am trying to activate a link using Jquery. Here is my code; <html> <head> <script type="text/javascript" src="../../resources/js/ jquery-1.2.6.js"</script> <script...
1
by: CloudSolutions | last post by:
Introduction: For many beginners and individual users, requiring a credit card and email registration may pose a barrier when starting to use cloud servers. However, some cloud server providers now...
0
by: Faith0G | last post by:
I am starting a new it consulting business and it's been a while since I setup a new website. Is wordpress still the best web based software for hosting a 5 page website? The webpages will be...
0
by: ryjfgjl | last post by:
In our work, we often need to import Excel data into databases (such as MySQL, SQL Server, Oracle) for data analysis and processing. Usually, we use database tools like Navicat or the Excel import...
0
by: taylorcarr | last post by:
A Canon printer is a smart device known for being advanced, efficient, and reliable. It is designed for home, office, and hybrid workspace use and can also be used for a variety of purposes. However,...
0
by: aa123db | last post by:
Variable and constants Use var or let for variables and const fror constants. Var foo ='bar'; Let foo ='bar';const baz ='bar'; Functions function $name$ ($parameters$) { } ...
0
by: ryjfgjl | last post by:
If we have dozens or hundreds of excel to import into the database, if we use the excel import function provided by database editors such as navicat, it will be extremely tedious and time-consuming...
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?

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.