Link to home
Start Free TrialLog in
Avatar of tjgquicken
tjgquicken

asked on

Javascript converting "null" to string

I'm working on a Javascript program and I'm trying to figure out the best way to do the following:
I have a string and I want to concatenate it with another variable. The problem is that if the other variable is null, what I wind up with is my first string concatenated with the word "null". Instead, I want to have my first string concatenated with an empty string. Is there any way to change the default Javascript behavior, maybe by changing the toString function or something in String.prototype, so that "casting" a null to a String results in an empty string? Thanks.
var o = { a: 'string', b: null }
document.writeln(o.a + o.b);                     // prints "stringnull", i want it to just print "string"

Open in new window

Avatar of secondeff
secondeff
Flag of United States of America image

Hi,
What happens if you try using '' instead of null? {a: 'string' , b: ''}
document.writeln(o.a + ((o.b)?o.b:""));
var o = { a: 'string', b: null };
document.write((o.a==null)?'':o.a+(o.b==null)?'':o.b)
ASKER CERTIFIED SOLUTION
Avatar of bugada
bugada
Flag of Italy image

Link to home
membership
This solution is only available to members.
To access this solution, you must be a member of Experts Exchange.
Start Free Trial
Avatar of tjgquicken
tjgquicken

ASKER

Bugada probably has the most efficient solution, but I guess that having to check every variable for being null before I use it is just something I'm going to have to get used to in Javascript.
Still I noticed the following:

new String() initializes an empty string
new String(null) initializes the character string "null"
new String(undefined) initializes the character string "undefined"
delete c; new String(c); throws a ReferenceError because c is not defined

There doesn't seem like a lot of logic to this behavior.
No the behavior is coherent to javascript specifications.

null and undefined are reserved words with a special meaning so if you pass it in the string constructor  it creates an object with these values. This strings print their literal value as output, but you can't do normal operation on them on them, for example a substring.

The default String constructor creates an empty string.

The last line is correct because every variable used must be declared in its context, although most browsers initialize undeclared variable as undefined under the window contex. IE is very strict on this issue.
Ok, that makes a lot more sense.