views:

79

answers:

2

For the following JavaScript:

function EscapedString(str) {
  var obj = document.createElement("span");
  obj.innerHTML = str;
  return "&#" + (obj.textContent || obj.innerText).charCodeAt(0) + ";";
}

alert(EscapedString(" "));
alert(EscapedString(" "));
alert(EscapedString("\xA0"));

IE returns   for each value instead of   like every other browser correctly does. Is .innerText the wrong property for IE?

Here's it running on jsbin.

A: 

Try this out. Split up the '&' character from 'nbsp'

alert('&' + 'nbsp');

That worked for me. are you able to do that?

if not, perhaps you can convert to ascii???

edited

  alert(String.fromCharCode(EscapedString(" ")))
Eric
Like this? `alert(EscapedString(""));`That still returns ` ` in IE.
travis
Can you give ascii a shot?
Eric
Eric
ahhh, it's returning ascii to you. #32 is ascii code for space.
Eric
Right, the text I have to work with is `" "`, if possible I'd like to convert it (and all other named entities) to its numbered value, `" "`. Try running the JSBin link above in IE and you'll see what I mean/
travis
try what i put under edited.
Eric
It alerted an empty string, here's the JSBin I was using to test: http://jsbin.com/usagu3/17/edit
travis
+1  A: 

Ah, I can access the value of the text node created by the innerHTML and that returns the correct value:

function EscapedString(str) {
  var obj = document.createElement("div");
  obj.innerHTML = str;
  return "&#" + (obj.firstChild.nodeValue || obj.textContent).charCodeAt(0) + ";";
}

Here's the latest script running on jsbin
...and here's the gist of the final code I ended up using

travis