1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552
|
// Copyright 2014 The Chromium Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "config.h"
#include "bindings/core/v8/ScriptStreamer.h"
#include "bindings/core/v8/ScriptStreamerThread.h"
#include "bindings/core/v8/V8ScriptRunner.h"
#include "core/dom/Document.h"
#include "core/dom/Element.h"
#include "core/dom/PendingScript.h"
#include "core/fetch/ScriptResource.h"
#include "core/frame/Settings.h"
#include "core/html/parser/TextResourceDecoder.h"
#include "platform/SharedBuffer.h"
#include "platform/TraceEvent.h"
#include "public/platform/Platform.h"
#include "wtf/MainThread.h"
#include "wtf/text/TextEncodingRegistry.h"
namespace blink {
// For passing data between the main thread (producer) and the streamer thread
// (consumer). The main thread prepares the data (copies it from Resource) and
// the streamer thread feeds it to V8.
class SourceStreamDataQueue {
WTF_MAKE_NONCOPYABLE(SourceStreamDataQueue);
public:
SourceStreamDataQueue()
: m_finished(false) { }
~SourceStreamDataQueue()
{
while (!m_data.isEmpty()) {
std::pair<const uint8_t*, size_t> next_data = m_data.takeFirst();
delete[] next_data.first;
}
}
void produce(const uint8_t* data, size_t length)
{
MutexLocker locker(m_mutex);
m_data.append(std::make_pair(data, length));
m_haveData.signal();
}
void finish()
{
MutexLocker locker(m_mutex);
m_finished = true;
m_haveData.signal();
}
void consume(const uint8_t** data, size_t* length)
{
MutexLocker locker(m_mutex);
while (!tryGetData(data, length))
m_haveData.wait(m_mutex);
}
private:
bool tryGetData(const uint8_t** data, size_t* length)
{
if (!m_data.isEmpty()) {
std::pair<const uint8_t*, size_t> next_data = m_data.takeFirst();
*data = next_data.first;
*length = next_data.second;
return true;
}
if (m_finished) {
*length = 0;
return true;
}
return false;
}
WTF::Deque<std::pair<const uint8_t*, size_t> > m_data;
bool m_finished;
Mutex m_mutex;
ThreadCondition m_haveData;
};
// SourceStream implements the streaming interface towards V8. The main
// functionality is preparing the data to give to V8 on main thread, and
// actually giving the data (via GetMoreData which is called on a background
// thread).
class SourceStream : public v8::ScriptCompiler::ExternalSourceStream {
WTF_MAKE_NONCOPYABLE(SourceStream);
public:
SourceStream()
: v8::ScriptCompiler::ExternalSourceStream()
, m_cancelled(false)
, m_dataPosition(0) { }
virtual ~SourceStream() { }
// Called by V8 on a background thread. Should block until we can return
// some data.
virtual size_t GetMoreData(const uint8_t** src) override
{
ASSERT(!isMainThread());
{
MutexLocker locker(m_mutex);
if (m_cancelled)
return 0;
}
size_t length = 0;
// This will wait until there is data.
m_dataQueue.consume(src, &length);
{
MutexLocker locker(m_mutex);
if (m_cancelled)
return 0;
}
return length;
}
void didFinishLoading()
{
ASSERT(isMainThread());
m_dataQueue.finish();
}
void didReceiveData(ScriptStreamer* streamer, size_t lengthOfBOM)
{
ASSERT(isMainThread());
prepareDataOnMainThread(streamer, lengthOfBOM);
}
void cancel()
{
ASSERT(isMainThread());
// The script is no longer needed by the upper layers. Stop streaming
// it. The next time GetMoreData is called (or woken up), it will return
// 0, which will be interpreted as EOS by V8 and the parsing will
// fail. ScriptStreamer::streamingComplete will be called, and at that
// point we will release the references to SourceStream.
{
MutexLocker locker(m_mutex);
m_cancelled = true;
}
m_dataQueue.finish();
}
private:
void prepareDataOnMainThread(ScriptStreamer* streamer, size_t lengthOfBOM)
{
ASSERT(isMainThread());
// The Resource must still be alive; otherwise we should've cancelled
// the streaming (if we have cancelled, the background thread is not
// waiting).
ASSERT(streamer->resource());
// BOM can only occur at the beginning of the data.
ASSERT(lengthOfBOM == 0 || m_dataPosition == 0);
if (streamer->resource()->cachedMetadata(V8ScriptRunner::tagForCodeCache(streamer->resource()))) {
// The resource has a code cache, so it's unnecessary to stream and
// parse the code. Cancel the streaming and resume the non-streaming
// code path.
streamer->suppressStreaming();
{
MutexLocker locker(m_mutex);
m_cancelled = true;
}
m_dataQueue.finish();
return;
}
if (!m_resourceBuffer) {
// We don't have a buffer yet. Try to get it from the resource.
SharedBuffer* buffer = streamer->resource()->resourceBuffer();
m_resourceBuffer = RefPtr<SharedBuffer>(buffer);
}
// Get as much data from the ResourceBuffer as we can.
const char* data = 0;
Vector<const char*> chunks;
Vector<unsigned> chunkLengths;
size_t dataLength = 0;
while (unsigned length = m_resourceBuffer->getSomeData(data, m_dataPosition)) {
// FIXME: Here we can limit based on the total length, if it turns
// out that we don't want to give all the data we have (memory
// vs. speed).
chunks.append(data);
chunkLengths.append(length);
dataLength += length;
m_dataPosition += length;
}
// Copy the data chunks into a new buffer, since we're going to give the
// data to a background thread.
if (dataLength > lengthOfBOM) {
dataLength -= lengthOfBOM;
uint8_t* copiedData = new uint8_t[dataLength];
unsigned offset = 0;
for (size_t i = 0; i < chunks.size(); ++i) {
memcpy(copiedData + offset, chunks[i] + lengthOfBOM, chunkLengths[i] - lengthOfBOM);
offset += chunkLengths[i] - lengthOfBOM;
// BOM is only in the first chunk
lengthOfBOM = 0;
}
m_dataQueue.produce(copiedData, dataLength);
}
}
// For coordinating between the main thread and background thread tasks.
// Guarded by m_mutex.
bool m_cancelled;
Mutex m_mutex;
unsigned m_dataPosition; // Only used by the main thread.
RefPtr<SharedBuffer> m_resourceBuffer; // Only used by the main thread.
SourceStreamDataQueue m_dataQueue; // Thread safe.
};
size_t ScriptStreamer::kSmallScriptThreshold = 30 * 1024;
void ScriptStreamer::startStreaming(PendingScript& script, Settings* settings, ScriptState* scriptState, PendingScript::Type scriptType)
{
// We don't yet know whether the script will really be streamed. E.g.,
// suppressing streaming for short scripts is done later. Record only the
// sure negative cases here.
bool startedStreaming = startStreamingInternal(script, settings, scriptState, scriptType);
if (!startedStreaming)
blink::Platform::current()->histogramEnumeration(startedStreamingHistogramName(scriptType), 0, 2);
}
bool ScriptStreamer::convertEncoding(const char* encodingName, v8::ScriptCompiler::StreamedSource::Encoding* encoding)
{
// Here's a list of encodings we can use for streaming. These are
// the canonical names.
if (strcmp(encodingName, "windows-1252") == 0
|| strcmp(encodingName, "ISO-8859-1") == 0
|| strcmp(encodingName, "US-ASCII") == 0) {
*encoding = v8::ScriptCompiler::StreamedSource::ONE_BYTE;
return true;
}
if (strcmp(encodingName, "UTF-8") == 0) {
*encoding = v8::ScriptCompiler::StreamedSource::UTF8;
return true;
}
// We don't stream other encodings; especially we don't stream two
// byte scripts to avoid the handling of endianness. Most scripts
// are Latin1 or UTF-8 anyway, so this should be enough for most
// real world purposes.
return false;
}
void ScriptStreamer::streamingCompleteOnBackgroundThread()
{
ASSERT(!isMainThread());
MutexLocker locker(m_mutex);
m_parsingFinished = true;
// In the blocking case, the main thread is normally waiting at this
// point, but it can also happen that the load is not yet finished
// (e.g., a parse error). In that case, notifyFinished will be called
// eventually and it will not wait on m_parsingFinishedCondition.
// In the non-blocking case, notifyFinished might already be called, or it
// might be called in the future. In any case, do the cleanup here.
if (m_mainThreadWaitingForParserThread) {
m_parsingFinishedCondition.signal();
} else {
callOnMainThread(WTF::bind(&ScriptStreamer::streamingComplete, this));
}
}
void ScriptStreamer::cancel()
{
ASSERT(isMainThread());
// The upper layer doesn't need the script any more, but streaming might
// still be ongoing. Tell SourceStream to try to cancel it whenever it gets
// the control the next time. It can also be that V8 has already completed
// its operations and streamingComplete will be called soon.
m_detached = true;
m_resource = 0;
if (m_stream)
m_stream->cancel();
}
void ScriptStreamer::suppressStreaming()
{
MutexLocker locker(m_mutex);
ASSERT(!m_loadingFinished);
// It can be that the parsing task has already finished (e.g., if there was
// a parse error).
m_streamingSuppressed = true;
}
void ScriptStreamer::notifyAppendData(ScriptResource* resource)
{
ASSERT(isMainThread());
ASSERT(m_resource == resource);
{
MutexLocker locker(m_mutex);
if (m_streamingSuppressed)
return;
}
size_t lengthOfBOM = 0;
if (!m_haveEnoughDataForStreaming) {
// Even if the first data chunk is small, the script can still be big
// enough - wait until the next data chunk comes before deciding whether
// to start the streaming.
ASSERT(resource->resourceBuffer());
if (resource->resourceBuffer()->size() < kSmallScriptThreshold)
return;
m_haveEnoughDataForStreaming = true;
const char* histogramName = startedStreamingHistogramName(m_scriptType);
// Encoding should be detected only when we have some data. It's
// possible that resource->encoding() returns a different encoding
// before the loading has started and after we got some data. In
// addition, check for byte order marks. Note that checking the byte
// order mark might change the encoding. We cannot decode the full text
// here, because it might contain incomplete UTF-8 characters. Also note
// that have at least kSmallScriptThreshold worth of data, which is more
// than enough for detecting a BOM.
const char* data = 0;
unsigned length = resource->resourceBuffer()->getSomeData(data, 0);
OwnPtr<TextResourceDecoder> decoder(TextResourceDecoder::create("application/javascript", resource->encoding()));
lengthOfBOM = decoder->checkForBOM(data, length);
// Maybe the encoding changed because we saw the BOM; get the encoding
// from the decoder.
if (!convertEncoding(decoder->encoding().name(), &m_encoding)) {
suppressStreaming();
blink::Platform::current()->histogramEnumeration(histogramName, 0, 2);
return;
}
if (ScriptStreamerThread::shared()->isRunningTask()) {
// At the moment we only have one thread for running the tasks. A
// new task shouldn't be queued before the running task completes,
// because the running task can block and wait for data from the
// network.
suppressStreaming();
blink::Platform::current()->histogramEnumeration(histogramName, 0, 2);
return;
}
if (!m_scriptState->contextIsValid()) {
suppressStreaming();
blink::Platform::current()->histogramEnumeration(histogramName, 0, 2);
return;
}
ASSERT(!m_stream);
ASSERT(!m_source);
m_stream = new SourceStream();
// m_source takes ownership of m_stream.
m_source = adoptPtr(new v8::ScriptCompiler::StreamedSource(m_stream, m_encoding));
ScriptState::Scope scope(m_scriptState.get());
WTF::OwnPtr<v8::ScriptCompiler::ScriptStreamingTask> scriptStreamingTask(adoptPtr(v8::ScriptCompiler::StartStreamingScript(m_scriptState->isolate(), m_source.get(), m_compileOptions)));
if (!scriptStreamingTask) {
// V8 cannot stream the script.
suppressStreaming();
m_stream = 0;
m_source.clear();
blink::Platform::current()->histogramEnumeration(histogramName, 0, 2);
return;
}
// ScriptStreamer needs to stay alive as long as the background task is
// running. This is taken care of with a manual ref() & deref() pair;
// the corresponding deref() is in streamingComplete or in
// notifyFinished.
ref();
ScriptStreamingTask* task = new ScriptStreamingTask(scriptStreamingTask.release(), this);
ScriptStreamerThread::shared()->postTask(task);
blink::Platform::current()->histogramEnumeration(histogramName, 1, 2);
}
if (m_stream)
m_stream->didReceiveData(this, lengthOfBOM);
}
void ScriptStreamer::notifyFinished(Resource* resource)
{
ASSERT(isMainThread());
ASSERT(m_resource == resource);
// A special case: empty and small scripts. We didn't receive enough data to
// start the streaming before this notification. In that case, there won't
// be a "parsing complete" notification either, and we should not wait for
// it.
if (!m_haveEnoughDataForStreaming) {
const char* histogramName = startedStreamingHistogramName(m_scriptType);
blink::Platform::current()->histogramEnumeration(histogramName, 0, 2);
suppressStreaming();
}
if (m_stream)
m_stream->didFinishLoading();
m_loadingFinished = true;
if (shouldBlockMainThread()) {
// Make the main thead wait until the streaming is complete, to make
// sure that the script gets the main thread's attention as early as
// possible (for possible compiling, if the client wants to do it
// right away). Note that blocking here is not any worse than the
// non-streaming code path where the main thread eventually blocks
// to parse the script.
TRACE_EVENT0("v8", "v8.mainThreadWaitingForParserThread");
MutexLocker locker(m_mutex);
while (!isFinished()) {
ASSERT(!m_parsingFinished);
ASSERT(!m_streamingSuppressed);
m_mainThreadWaitingForParserThread = true;
m_parsingFinishedCondition.wait(m_mutex);
}
}
// Calling notifyFinishedToClient can result into the upper layers dropping
// references to ScriptStreamer. Keep it alive until this function ends.
RefPtr<ScriptStreamer> protect(this);
notifyFinishedToClient();
if (m_mainThreadWaitingForParserThread) {
ASSERT(m_parsingFinished);
ASSERT(!m_streamingSuppressed);
// streamingComplete won't be called, so do the ramp-down work
// here.
deref();
}
}
ScriptStreamer::ScriptStreamer(ScriptResource* resource, PendingScript::Type scriptType, ScriptStreamingMode mode, ScriptState* scriptState, v8::ScriptCompiler::CompileOptions compileOptions)
: m_resource(resource)
, m_detached(false)
, m_stream(0)
, m_client(0)
, m_loadingFinished(false)
, m_parsingFinished(false)
, m_haveEnoughDataForStreaming(false)
, m_streamingSuppressed(false)
, m_compileOptions(compileOptions)
, m_scriptState(scriptState)
, m_scriptType(scriptType)
, m_scriptStreamingMode(mode)
, m_mainThreadWaitingForParserThread(false)
, m_encoding(v8::ScriptCompiler::StreamedSource::TWO_BYTE) // Unfortunately there's no dummy encoding value in the enum; let's use one we don't stream.
{
}
void ScriptStreamer::streamingComplete()
{
// The background task is completed; do the necessary ramp-down in the main
// thread.
ASSERT(isMainThread());
// It's possible that the corresponding Resource was deleted before V8
// finished streaming. In that case, the data or the notification is not
// needed. In addition, if the streaming is suppressed, the non-streaming
// code path will resume after the resource has loaded, before the
// background task finishes.
if (m_detached || m_streamingSuppressed) {
deref();
return;
}
// We have now streamed the whole script to V8 and it has parsed the
// script. We're ready for the next step: compiling and executing the
// script.
notifyFinishedToClient();
// The background thread no longer holds an implicit reference.
deref();
}
void ScriptStreamer::notifyFinishedToClient()
{
ASSERT(isMainThread());
// Usually, the loading will be finished first, and V8 will still need some
// time to catch up. But the other way is possible too: if V8 detects a
// parse error, the V8 side can complete before loading has finished. Send
// the notification after both loading and V8 side operations have
// completed. Here we also check that we have a client: it can happen that a
// function calling notifyFinishedToClient was already scheduled in the task
// queue and the upper layer decided that it's not interested in the script
// and called removeClient.
{
MutexLocker locker(m_mutex);
if (!isFinished())
return;
}
if (m_client)
m_client->notifyFinished(m_resource);
}
const char* ScriptStreamer::startedStreamingHistogramName(PendingScript::Type scriptType)
{
switch (scriptType) {
case PendingScript::ParsingBlocking:
return "WebCore.Scripts.ParsingBlocking.StartedStreaming";
break;
case PendingScript::Deferred:
return "WebCore.Scripts.Deferred.StartedStreaming";
break;
case PendingScript::Async:
return "WebCore.Scripts.Async.StartedStreaming";
break;
default:
ASSERT_NOT_REACHED();
break;
}
return 0;
}
bool ScriptStreamer::startStreamingInternal(PendingScript& script, Settings* settings, ScriptState* scriptState, PendingScript::Type scriptType)
{
ASSERT(isMainThread());
if (!settings || !settings->v8ScriptStreamingEnabled())
return false;
if (settings->v8ScriptStreamingMode() == ScriptStreamingModeOnlyAsyncAndDefer
&& scriptType == PendingScript::ParsingBlocking)
return false;
ScriptResource* resource = script.resource();
if (resource->isLoaded())
return false;
if (!resource->url().protocolIsInHTTPFamily())
return false;
if (resource->resourceToRevalidate()) {
// This happens e.g., during reloads. We're actually not going to load
// the current Resource of the PendingScript but switch to another
// Resource -> don't stream.
return false;
}
// We cannot filter out short scripts, even if we wait for the HTTP headers
// to arrive. In general, the web servers don't seem to send the
// Content-Length HTTP header for scripts.
if (!scriptState->contextIsValid())
return false;
// Decide what kind of cached data we should produce while streaming. By
// default, we generate the parser cache for streamed scripts, to emulate
// the non-streaming behavior (see V8ScriptRunner::compileScript).
v8::ScriptCompiler::CompileOptions compileOption = v8::ScriptCompiler::kProduceParserCache;
if (settings->v8CacheOptions() == V8CacheOptionsCode || settings->v8CacheOptions() == V8CacheOptionsCodeCompressed)
compileOption = v8::ScriptCompiler::kProduceCodeCache;
// The Resource might go out of scope if the script is no longer
// needed. This makes PendingScript notify the ScriptStreamer when it is
// destroyed.
script.setStreamer(adoptRef(new ScriptStreamer(resource, scriptType, settings->v8ScriptStreamingMode(), scriptState, compileOption)));
return true;
}
} // namespace blink
|