Reputation: 785
I'm attempting to extract some information from Medium URLs and I notice that each page has the entire post contents stored in JSON format. The content looks like this on the page:
<script>// <data:image/s3,"s3://crabby-images/7874a/7874a7294aaf36f1ae03bc1f25716f204bd4360f" alt="CDATA[
window["obvInit"";
So it calls a function known as functionName
with the data as an argument. You would provide this function in your own code before inserting that script, like so:
function functionName(data) {
// use the data
}
window["obvInit"]()
is equivalent to window.obvInit()
which is equivalent to calling a function defined as obvInit
at the global level.
As scripts are not subject to the same-origin policy, you can now get JSON-like data from any domain that will return it in this format.
Upvotes: 1
Reputation: 3331
What this does is call a function. It's probably (but not necesarrily) been declared like function obvInit(...){...}
on the global window namespace. Now for your problem: You can easily extract the passed object by overwriting the function like this:
var _oldObvInit = window.obvInit;
window.obvInit = function(){
console.log(arguments[0]); //use this to extract the object
console.log(JSON.stringify(arguments[0])); //use this to extract JSON
return _oldObvInit.apply(window, arguments);
}
Put this before the script tag you've posted here and after the declaration of the function obvInit.
A bit context: inside every javascript function there's an implicit variable arguments
which stores the arguments to the function as an array. And apply
calls a function, sets the context (this
) and takes the arguments as an array. Exactly what you need to wrap it.
Upvotes: 2