• Home
  • Line#
  • Scopes#
  • Navigate#
  • Raw
  • Download
1 // Copyright (c) 2013 The Chromium Authors. All rights reserved.
2 // Use of this source code is governed by a BSD-style license that can be
3 // found in the LICENSE file.
4 
5 #include "gn/parse_tree.h"
6 
7 #include <stdint.h>
8 
9 #include <memory>
10 #include <string>
11 #include <tuple>
12 
13 #include "base/json/string_escape.h"
14 #include "base/stl_util.h"
15 #include "base/strings/string_number_conversions.h"
16 #include "base/strings/string_util.h"
17 #include "gn/functions.h"
18 #include "gn/operators.h"
19 #include "gn/scope.h"
20 #include "gn/string_utils.h"
21 
22 // Dictionary keys used for JSON-formatted tree dump.
23 const char kJsonNodeChild[] = "child";
24 const char kJsonNodeType[] = "type";
25 const char kJsonNodeValue[] = "value";
26 const char kJsonBeforeComment[] = "before_comment";
27 const char kJsonSuffixComment[] = "suffix_comment";
28 const char kJsonAfterComment[] = "after_comment";
29 const char kJsonLocation[] = "location";
30 const char kJsonLocationBeginLine[] = "begin_line";
31 const char kJsonLocationBeginColumn[] = "begin_column";
32 const char kJsonLocationEndLine[] = "end_line";
33 const char kJsonLocationEndColumn[] = "end_column";
34 
35 // Used by Block and List.
36 const char kJsonBeginToken[] = "begin_token";
37 const char kJsonEnd[] = "end";
38 
39 namespace {
40 
41 enum DepsCategory {
42   DEPS_CATEGORY_LOCAL,
43   DEPS_CATEGORY_RELATIVE,
44   DEPS_CATEGORY_ABSOLUTE,
45   DEPS_CATEGORY_OTHER,
46 };
47 
GetDepsCategory(std::string_view deps)48 DepsCategory GetDepsCategory(std::string_view deps) {
49   if (deps.length() < 2 || deps[0] != '"' || deps[deps.size() - 1] != '"')
50     return DEPS_CATEGORY_OTHER;
51 
52   if (deps[1] == ':')
53     return DEPS_CATEGORY_LOCAL;
54 
55   if (deps[1] == '/')
56     return DEPS_CATEGORY_ABSOLUTE;
57 
58   return DEPS_CATEGORY_RELATIVE;
59 }
60 
SplitAtFirst(std::string_view str,char c)61 std::tuple<std::string_view, std::string_view> SplitAtFirst(
62     std::string_view str,
63     char c) {
64   if (!base::StartsWith(str, "\"", base::CompareCase::SENSITIVE) ||
65       !base::EndsWith(str, "\"", base::CompareCase::SENSITIVE))
66     return std::make_tuple(str, std::string_view());
67 
68   str = str.substr(1, str.length() - 2);
69   size_t index_of_first = str.find(c);
70   return std::make_tuple(str.substr(0, index_of_first),
71                          index_of_first != std::string_view::npos
72                              ? str.substr(index_of_first + 1)
73                              : std::string_view());
74 }
75 
IsSortRangeSeparator(const ParseNode * node,const ParseNode * prev)76 bool IsSortRangeSeparator(const ParseNode* node, const ParseNode* prev) {
77   // If it's a block comment, or has an attached comment with a blank line
78   // before it, then we break the range at this point.
79   return node->AsBlockComment() != nullptr ||
80          (prev && node->comments() && !node->comments()->before().empty() &&
81           (node->GetRange().begin().line_number() >
82            prev->GetRange().end().line_number() +
83                static_cast<int>(node->comments()->before().size() + 1)));
84 }
85 
GetStringRepresentation(const ParseNode * node)86 std::string_view GetStringRepresentation(const ParseNode* node) {
87   DCHECK(node->AsLiteral() || node->AsIdentifier() || node->AsAccessor());
88   if (node->AsLiteral())
89     return node->AsLiteral()->value().value();
90   else if (node->AsIdentifier())
91     return node->AsIdentifier()->value().value();
92   else if (node->AsAccessor())
93     return node->AsAccessor()->base().value();
94   return std::string_view();
95 }
96 
AddLocationJSONNodes(base::Value * dict,LocationRange location)97 void AddLocationJSONNodes(base::Value* dict, LocationRange location) {
98   base::Value loc(base::Value::Type::DICTIONARY);
99   loc.SetKey(kJsonLocationBeginLine,
100              base::Value(location.begin().line_number()));
101   loc.SetKey(kJsonLocationBeginColumn,
102              base::Value(location.begin().column_number()));
103   loc.SetKey(kJsonLocationEndLine, base::Value(location.end().line_number()));
104   loc.SetKey(kJsonLocationEndColumn,
105              base::Value(location.end().column_number()));
106   dict->SetKey(kJsonLocation, std::move(loc));
107 }
108 
GetBeginLocationFromJSON(const base::Value & value)109 Location GetBeginLocationFromJSON(const base::Value& value) {
110   int line =
111       value.FindKey(kJsonLocation)->FindKey(kJsonLocationBeginLine)->GetInt();
112   int column =
113       value.FindKey(kJsonLocation)->FindKey(kJsonLocationBeginColumn)->GetInt();
114   return Location(nullptr, line, column);
115 }
116 
GetCommentsFromJSON(ParseNode * node,const base::Value & value)117 void GetCommentsFromJSON(ParseNode* node, const base::Value& value) {
118   Comments* comments = node->comments_mutable();
119 
120   Location loc = GetBeginLocationFromJSON(value);
121 
122   auto loc_for = [&loc](int line) {
123     return Location(nullptr, loc.line_number() + line, loc.column_number());
124   };
125 
126   if (value.FindKey(kJsonBeforeComment)) {
127     int line = 0;
128     for (const auto& c : value.FindKey(kJsonBeforeComment)->GetList()) {
129       comments->append_before(
130           Token::ClassifyAndMake(loc_for(line), c.GetString()));
131       ++line;
132     }
133   }
134 
135   if (value.FindKey(kJsonSuffixComment)) {
136     int line = 0;
137     for (const auto& c : value.FindKey(kJsonSuffixComment)->GetList()) {
138       comments->append_suffix(
139           Token::ClassifyAndMake(loc_for(line), c.GetString()));
140       ++line;
141     }
142   }
143 
144   if (value.FindKey(kJsonAfterComment)) {
145     int line = 0;
146     for (const auto& c : value.FindKey(kJsonAfterComment)->GetList()) {
147       comments->append_after(
148           Token::ClassifyAndMake(loc_for(line), c.GetString()));
149       ++line;
150     }
151   }
152 }
153 
TokenFromValue(const base::Value & value)154 Token TokenFromValue(const base::Value& value) {
155   return Token::ClassifyAndMake(GetBeginLocationFromJSON(value),
156                                 value.FindKey(kJsonNodeValue)->GetString());
157 }
158 
159 }  // namespace
160 
161 Comments::Comments() = default;
162 
163 Comments::~Comments() = default;
164 
ReverseSuffix()165 void Comments::ReverseSuffix() {
166   for (int i = 0, j = static_cast<int>(suffix_.size() - 1); i < j; ++i, --j)
167     std::swap(suffix_[i], suffix_[j]);
168 }
169 
170 ParseNode::ParseNode() = default;
171 
172 ParseNode::~ParseNode() = default;
173 
AsAccessor() const174 const AccessorNode* ParseNode::AsAccessor() const {
175   return nullptr;
176 }
AsBinaryOp() const177 const BinaryOpNode* ParseNode::AsBinaryOp() const {
178   return nullptr;
179 }
AsBlockComment() const180 const BlockCommentNode* ParseNode::AsBlockComment() const {
181   return nullptr;
182 }
AsBlock() const183 const BlockNode* ParseNode::AsBlock() const {
184   return nullptr;
185 }
AsCondition() const186 const ConditionNode* ParseNode::AsCondition() const {
187   return nullptr;
188 }
AsEnd() const189 const EndNode* ParseNode::AsEnd() const {
190   return nullptr;
191 }
AsFunctionCall() const192 const FunctionCallNode* ParseNode::AsFunctionCall() const {
193   return nullptr;
194 }
AsIdentifier() const195 const IdentifierNode* ParseNode::AsIdentifier() const {
196   return nullptr;
197 }
AsList() const198 const ListNode* ParseNode::AsList() const {
199   return nullptr;
200 }
AsLiteral() const201 const LiteralNode* ParseNode::AsLiteral() const {
202   return nullptr;
203 }
AsUnaryOp() const204 const UnaryOpNode* ParseNode::AsUnaryOp() const {
205   return nullptr;
206 }
207 
comments_mutable()208 Comments* ParseNode::comments_mutable() {
209   if (!comments_)
210     comments_ = std::make_unique<Comments>();
211   return comments_.get();
212 }
213 
CreateJSONNode(const char * type,LocationRange location) const214 base::Value ParseNode::CreateJSONNode(const char* type,
215                                       LocationRange location) const {
216   base::Value dict(base::Value::Type::DICTIONARY);
217   dict.SetKey(kJsonNodeType, base::Value(type));
218   AddLocationJSONNodes(&dict, location);
219   AddCommentsJSONNodes(&dict);
220   return dict;
221 }
222 
CreateJSONNode(const char * type,std::string_view value,LocationRange location) const223 base::Value ParseNode::CreateJSONNode(const char* type,
224                                       std::string_view value,
225                                       LocationRange location) const {
226   base::Value dict(base::Value::Type::DICTIONARY);
227   dict.SetKey(kJsonNodeType, base::Value(type));
228   dict.SetKey(kJsonNodeValue, base::Value(value));
229   AddLocationJSONNodes(&dict, location);
230   AddCommentsJSONNodes(&dict);
231   return dict;
232 }
233 
AddCommentsJSONNodes(base::Value * out_value) const234 void ParseNode::AddCommentsJSONNodes(base::Value* out_value) const {
235   if (comments_) {
236     if (comments_->before().size()) {
237       base::Value comment_values(base::Value::Type::LIST);
238       for (const auto& token : comments_->before())
239         comment_values.GetList().push_back(base::Value(token.value()));
240       out_value->SetKey(kJsonBeforeComment, std::move(comment_values));
241     }
242     if (comments_->suffix().size()) {
243       base::Value comment_values(base::Value::Type::LIST);
244       for (const auto& token : comments_->suffix())
245         comment_values.GetList().push_back(base::Value(token.value()));
246       out_value->SetKey(kJsonSuffixComment, std::move(comment_values));
247     }
248     if (comments_->after().size()) {
249       base::Value comment_values(base::Value::Type::LIST);
250       for (const auto& token : comments_->after())
251         comment_values.GetList().push_back(base::Value(token.value()));
252       out_value->SetKey(kJsonAfterComment, std::move(comment_values));
253     }
254   }
255 }
256 
257 // static
BuildFromJSON(const base::Value & value)258 std::unique_ptr<ParseNode> ParseNode::BuildFromJSON(const base::Value& value) {
259   const std::string& str_type = value.FindKey(kJsonNodeType)->GetString();
260 
261 #define RETURN_IF_MATCHES_NAME(t)     \
262   if (str_type == t::kDumpNodeName) { \
263     return t::NewFromJSON(value);     \
264   }
265 
266   RETURN_IF_MATCHES_NAME(AccessorNode);
267   RETURN_IF_MATCHES_NAME(BinaryOpNode);
268   RETURN_IF_MATCHES_NAME(BlockCommentNode);
269   RETURN_IF_MATCHES_NAME(BlockNode);
270   RETURN_IF_MATCHES_NAME(ConditionNode);
271   RETURN_IF_MATCHES_NAME(EndNode);
272   RETURN_IF_MATCHES_NAME(FunctionCallNode);
273   RETURN_IF_MATCHES_NAME(IdentifierNode);
274   RETURN_IF_MATCHES_NAME(ListNode);
275   RETURN_IF_MATCHES_NAME(LiteralNode);
276   RETURN_IF_MATCHES_NAME(UnaryOpNode);
277 
278 #undef RETURN_IF_MATCHES_NAME
279 
280   NOTREACHED() << str_type;
281   return std::unique_ptr<ParseNode>();
282 }
283 
284 // AccessorNode ---------------------------------------------------------------
285 
286 AccessorNode::AccessorNode() = default;
287 
288 AccessorNode::~AccessorNode() = default;
289 
AsAccessor() const290 const AccessorNode* AccessorNode::AsAccessor() const {
291   return this;
292 }
293 
Execute(Scope * scope,Err * err) const294 Value AccessorNode::Execute(Scope* scope, Err* err) const {
295   if (subscript_)
296     return ExecuteSubscriptAccess(scope, err);
297   else if (member_)
298     return ExecuteScopeAccess(scope, err);
299   NOTREACHED();
300   return Value();
301 }
302 
GetRange() const303 LocationRange AccessorNode::GetRange() const {
304   if (subscript_)
305     return LocationRange(base_.location(), subscript_->GetRange().end());
306   else if (member_)
307     return LocationRange(base_.location(), member_->GetRange().end());
308   NOTREACHED();
309   return LocationRange();
310 }
311 
MakeErrorDescribing(const std::string & msg,const std::string & help) const312 Err AccessorNode::MakeErrorDescribing(const std::string& msg,
313                                       const std::string& help) const {
314   return Err(GetRange(), msg, help);
315 }
316 
GetJSONNode() const317 base::Value AccessorNode::GetJSONNode() const {
318   base::Value dict(CreateJSONNode(kDumpNodeName, base_.value(), GetRange()));
319   base::Value child(base::Value::Type::LIST);
320   if (subscript_) {
321     child.GetList().push_back(subscript_->GetJSONNode());
322     dict.SetKey(kDumpAccessorKind, base::Value(kDumpAccessorKindSubscript));
323   } else if (member_) {
324     child.GetList().push_back(member_->GetJSONNode());
325     dict.SetKey(kDumpAccessorKind, base::Value(kDumpAccessorKindMember));
326   }
327   dict.SetKey(kJsonNodeChild, std::move(child));
328   return dict;
329 }
330 
331 #define DECLARE_CHILD_AS_LIST_OR_FAIL()                     \
332   const base::Value* child = value.FindKey(kJsonNodeChild); \
333   if (!child || !child->is_list()) {                        \
334     return nullptr;                                         \
335   }
336 
337 // static
NewFromJSON(const base::Value & value)338 std::unique_ptr<AccessorNode> AccessorNode::NewFromJSON(
339     const base::Value& value) {
340   auto ret = std::make_unique<AccessorNode>();
341   DECLARE_CHILD_AS_LIST_OR_FAIL();
342   ret->base_ = TokenFromValue(value);
343   const base::Value::ListStorage& children = child->GetList();
344   const std::string& kind = value.FindKey(kDumpAccessorKind)->GetString();
345   if (kind == kDumpAccessorKindSubscript) {
346     ret->subscript_ = ParseNode::BuildFromJSON(children[0]);
347   } else if (kind == kDumpAccessorKindMember) {
348     ret->member_ = IdentifierNode::NewFromJSON(children[0]);
349   }
350   GetCommentsFromJSON(ret.get(), value);
351   return ret;
352 }
353 
ExecuteSubscriptAccess(Scope * scope,Err * err) const354 Value AccessorNode::ExecuteSubscriptAccess(Scope* scope, Err* err) const {
355   const Value* base_value = scope->GetValue(base_.value(), true);
356   if (!base_value) {
357     *err = MakeErrorDescribing("Undefined identifier.");
358     return Value();
359   }
360   if (base_value->type() == Value::LIST) {
361     return ExecuteArrayAccess(scope, base_value, err);
362   } else if (base_value->type() == Value::SCOPE) {
363     return ExecuteScopeSubscriptAccess(scope, base_value, err);
364   } else {
365     *err = MakeErrorDescribing(
366         std::string("Expecting either a list or a scope for subscript, got ") +
367         Value::DescribeType(base_value->type()) + ".");
368     return Value();
369   }
370 }
371 
ExecuteArrayAccess(Scope * scope,const Value * base_value,Err * err) const372 Value AccessorNode::ExecuteArrayAccess(Scope* scope,
373                                        const Value* base_value,
374                                        Err* err) const {
375   size_t index = 0;
376   if (!ComputeAndValidateListIndex(scope, base_value->list_value().size(),
377                                    &index, err))
378     return Value();
379   return base_value->list_value()[index];
380 }
381 
ExecuteScopeSubscriptAccess(Scope * scope,const Value * base_value,Err * err) const382 Value AccessorNode::ExecuteScopeSubscriptAccess(Scope* scope,
383                                                 const Value* base_value,
384                                                 Err* err) const {
385   Value key_value = subscript_->Execute(scope, err);
386   if (err->has_error())
387     return Value();
388   if (!key_value.VerifyTypeIs(Value::STRING, err))
389     return Value();
390   const Value* result =
391       base_value->scope_value()->GetValue(key_value.string_value());
392   if (!result) {
393     *err =
394         Err(subscript_.get(), "No value named \"" + key_value.string_value() +
395                                   "\" in scope \"" + base_.value() + "\"");
396     return Value();
397   }
398   return *result;
399 }
400 
ExecuteScopeAccess(Scope * scope,Err * err) const401 Value AccessorNode::ExecuteScopeAccess(Scope* scope, Err* err) const {
402   // We jump through some hoops here since ideally a.b will count "b" as
403   // accessed in the given scope. The value "a" might be in some normal nested
404   // scope and we can modify it, but it might also be inherited from the
405   // readonly root scope and we can't do used variable tracking on it. (It's
406   // not legal to const cast it away since the root scope will be in readonly
407   // mode and being accessed from multiple threads without locking.) So this
408   // code handles both cases.
409   const Value* result = nullptr;
410 
411   // Look up the value in the scope named by "base_".
412   Value* mutable_base_value =
413       scope->GetMutableValue(base_.value(), Scope::SEARCH_NESTED, true);
414   if (mutable_base_value) {
415     // Common case: base value is mutable so we can track variable accesses
416     // for unused value warnings.
417     if (!mutable_base_value->VerifyTypeIs(Value::SCOPE, err))
418       return Value();
419     result = mutable_base_value->scope_value()->GetValue(
420         member_->value().value(), true);
421   } else {
422     // Fall back to see if the value is on a read-only scope.
423     const Value* const_base_value = scope->GetValue(base_.value(), true);
424     if (const_base_value) {
425       // Read only value, don't try to mark the value access as a "used" one.
426       if (!const_base_value->VerifyTypeIs(Value::SCOPE, err))
427         return Value();
428       result =
429           const_base_value->scope_value()->GetValue(member_->value().value());
430     } else {
431       *err = Err(base_, "Undefined identifier.");
432       return Value();
433     }
434   }
435 
436   if (!result) {
437     *err = Err(member_.get(), "No value named \"" + member_->value().value() +
438                                   "\" in scope \"" + base_.value() + "\"");
439     return Value();
440   }
441   return *result;
442 }
443 
SetNewLocation(int line_number)444 void AccessorNode::SetNewLocation(int line_number) {
445   Location old = base_.location();
446   base_.set_location(Location(old.file(), line_number, old.column_number()));
447 }
448 
ComputeAndValidateListIndex(Scope * scope,size_t max_len,size_t * computed_index,Err * err) const449 bool AccessorNode::ComputeAndValidateListIndex(Scope* scope,
450                                                size_t max_len,
451                                                size_t* computed_index,
452                                                Err* err) const {
453   Value index_value = subscript_->Execute(scope, err);
454   if (err->has_error())
455     return false;
456   if (!index_value.VerifyTypeIs(Value::INTEGER, err))
457     return false;
458 
459   int64_t index_int = index_value.int_value();
460   if (index_int < 0) {
461     *err = Err(subscript_->GetRange(), "Negative array subscript.",
462                "You gave me " + base::Int64ToString(index_int) + ".");
463     return false;
464   }
465   if (max_len == 0) {
466     *err = Err(subscript_->GetRange(), "Array subscript out of range.",
467                "You gave me " + base::Int64ToString(index_int) + " but the " +
468                    "array has no elements.");
469     return false;
470   }
471   size_t index_sizet = static_cast<size_t>(index_int);
472   if (index_sizet >= max_len) {
473     *err = Err(subscript_->GetRange(), "Array subscript out of range.",
474                "You gave me " + base::Int64ToString(index_int) +
475                    " but I was expecting something from 0 to " +
476                    base::NumberToString(max_len - 1) + ", inclusive.");
477     return false;
478   }
479 
480   *computed_index = index_sizet;
481   return true;
482 }
483 
484 // BinaryOpNode ---------------------------------------------------------------
485 
486 BinaryOpNode::BinaryOpNode() = default;
487 
488 BinaryOpNode::~BinaryOpNode() = default;
489 
AsBinaryOp() const490 const BinaryOpNode* BinaryOpNode::AsBinaryOp() const {
491   return this;
492 }
493 
Execute(Scope * scope,Err * err) const494 Value BinaryOpNode::Execute(Scope* scope, Err* err) const {
495   return ExecuteBinaryOperator(scope, this, left_.get(), right_.get(), err);
496 }
497 
GetRange() const498 LocationRange BinaryOpNode::GetRange() const {
499   return left_->GetRange().Union(right_->GetRange());
500 }
501 
MakeErrorDescribing(const std::string & msg,const std::string & help) const502 Err BinaryOpNode::MakeErrorDescribing(const std::string& msg,
503                                       const std::string& help) const {
504   return Err(op_, msg, help);
505 }
506 
GetJSONNode() const507 base::Value BinaryOpNode::GetJSONNode() const {
508   base::Value dict(CreateJSONNode(kDumpNodeName, op_.value(), GetRange()));
509   base::Value child(base::Value::Type::LIST);
510   child.GetList().push_back(left_->GetJSONNode());
511   child.GetList().push_back(right_->GetJSONNode());
512   dict.SetKey(kJsonNodeChild, std::move(child));
513   return dict;
514 }
515 
516 // static
NewFromJSON(const base::Value & value)517 std::unique_ptr<BinaryOpNode> BinaryOpNode::NewFromJSON(
518     const base::Value& value) {
519   auto ret = std::make_unique<BinaryOpNode>();
520   DECLARE_CHILD_AS_LIST_OR_FAIL();
521   const base::Value::ListStorage& children = child->GetList();
522   ret->left_ = ParseNode::BuildFromJSON(children[0]);
523   ret->right_ = ParseNode::BuildFromJSON(children[1]);
524   ret->op_ = TokenFromValue(value);
525   GetCommentsFromJSON(ret.get(), value);
526   return ret;
527 }
528 
529 // BlockNode ------------------------------------------------------------------
530 
BlockNode(ResultMode result_mode)531 BlockNode::BlockNode(ResultMode result_mode) : result_mode_(result_mode) {}
532 
533 BlockNode::~BlockNode() = default;
534 
AsBlock() const535 const BlockNode* BlockNode::AsBlock() const {
536   return this;
537 }
538 
Execute(Scope * enclosing_scope,Err * err) const539 Value BlockNode::Execute(Scope* enclosing_scope, Err* err) const {
540   std::unique_ptr<Scope> nested_scope;  // May be null.
541 
542   Scope* execution_scope;  // Either the enclosing_scope or nested_scope.
543   if (result_mode_ == RETURNS_SCOPE) {
544     // Create a nested scope to save the values for returning.
545     nested_scope = std::make_unique<Scope>(enclosing_scope);
546     execution_scope = nested_scope.get();
547   } else {
548     // Use the enclosing scope. Modifications will go into this also (for
549     // example, if conditions and loops).
550     execution_scope = enclosing_scope;
551   }
552 
553   for (size_t i = 0; i < statements_.size() && !err->has_error(); i++) {
554     // Check for trying to execute things with no side effects in a block.
555     //
556     // A BlockNode here means that somebody has a free-floating { }.
557     // Technically this can have side effects since it could generated targets,
558     // but we don't want to allow this since it creates ambiguity when
559     // immediately following a function call that takes no block. By not
560     // allowing free-floating blocks that aren't passed anywhere or assigned to
561     // anything, this ambiguity is resolved.
562     const ParseNode* cur = statements_[i].get();
563     if (cur->AsList() || cur->AsLiteral() || cur->AsUnaryOp() ||
564         cur->AsIdentifier() || cur->AsBlock()) {
565       *err = cur->MakeErrorDescribing(
566           "This statement has no effect.",
567           "Either delete it or do something with the result.");
568       return Value();
569     }
570     cur->Execute(execution_scope, err);
571   }
572 
573   if (result_mode_ == RETURNS_SCOPE) {
574     // Clear the reference to the containing scope. This will be passed in
575     // a value whose lifetime will not be related to the enclosing_scope passed
576     // to this function.
577     nested_scope->DetachFromContaining();
578     return Value(this, std::move(nested_scope));
579   }
580   return Value();
581 }
582 
GetRange() const583 LocationRange BlockNode::GetRange() const {
584   if (begin_token_.type() != Token::INVALID &&
585       end_->value().type() != Token::INVALID) {
586     return begin_token_.range().Union(end_->value().range());
587   } else if (!statements_.empty()) {
588     return statements_[0]->GetRange().Union(
589         statements_[statements_.size() - 1]->GetRange());
590   }
591   return LocationRange();
592 }
593 
MakeErrorDescribing(const std::string & msg,const std::string & help) const594 Err BlockNode::MakeErrorDescribing(const std::string& msg,
595                                    const std::string& help) const {
596   return Err(GetRange(), msg, help);
597 }
598 
GetJSONNode() const599 base::Value BlockNode::GetJSONNode() const {
600   base::Value dict(CreateJSONNode(kDumpNodeName, GetRange()));
601   base::Value statements(base::Value::Type::LIST);
602   for (const auto& statement : statements_)
603     statements.GetList().push_back(statement->GetJSONNode());
604   if (end_)
605     dict.SetKey(kJsonEnd, end_->GetJSONNode());
606 
607   dict.SetKey(kJsonNodeChild, std::move(statements));
608 
609   if (result_mode_ == BlockNode::RETURNS_SCOPE) {
610     dict.SetKey(kDumpResultMode, base::Value(kDumpResultModeReturnsScope));
611   } else if (result_mode_ == BlockNode::DISCARDS_RESULT) {
612     dict.SetKey(kDumpResultMode, base::Value(kDumpResultModeDiscardsResult));
613   } else {
614     NOTREACHED();
615   }
616 
617   dict.SetKey(kJsonBeginToken, base::Value(begin_token_.value()));
618 
619   return dict;
620 }
621 
622 // static
NewFromJSON(const base::Value & value)623 std::unique_ptr<BlockNode> BlockNode::NewFromJSON(const base::Value& value) {
624   const std::string& result_mode = value.FindKey(kDumpResultMode)->GetString();
625   std::unique_ptr<BlockNode> ret;
626 
627   if (result_mode == kDumpResultModeReturnsScope) {
628     ret.reset(new BlockNode(BlockNode::RETURNS_SCOPE));
629   } else if (result_mode == kDumpResultModeDiscardsResult) {
630     ret.reset(new BlockNode(BlockNode::DISCARDS_RESULT));
631   } else {
632     NOTREACHED();
633   }
634 
635   DECLARE_CHILD_AS_LIST_OR_FAIL();
636   for (const auto& elem : child->GetList()) {
637     ret->statements_.push_back(ParseNode::BuildFromJSON(elem));
638   }
639 
640   ret->begin_token_ =
641       Token::ClassifyAndMake(GetBeginLocationFromJSON(value),
642                              value.FindKey(kJsonBeginToken)->GetString());
643   if (value.FindKey(kJsonEnd)) {
644     ret->end_ = EndNode::NewFromJSON(*value.FindKey(kJsonEnd));
645   }
646 
647   GetCommentsFromJSON(ret.get(), value);
648   return ret;
649 }
650 
651 // ConditionNode --------------------------------------------------------------
652 
653 ConditionNode::ConditionNode() = default;
654 
655 ConditionNode::~ConditionNode() = default;
656 
AsCondition() const657 const ConditionNode* ConditionNode::AsCondition() const {
658   return this;
659 }
660 
Execute(Scope * scope,Err * err) const661 Value ConditionNode::Execute(Scope* scope, Err* err) const {
662   Value condition_result = condition_->Execute(scope, err);
663   if (err->has_error())
664     return Value();
665   if (condition_result.type() != Value::BOOLEAN) {
666     *err = condition_->MakeErrorDescribing(
667         "Condition does not evaluate to a boolean value.",
668         std::string("This is a value of type \"") +
669             Value::DescribeType(condition_result.type()) + "\" instead.");
670     err->AppendRange(if_token_.range());
671     return Value();
672   }
673 
674   if (condition_result.boolean_value()) {
675     if_true_->Execute(scope, err);
676   } else if (if_false_) {
677     // The else block is optional.
678     if_false_->Execute(scope, err);
679   }
680 
681   return Value();
682 }
683 
GetRange() const684 LocationRange ConditionNode::GetRange() const {
685   if (if_false_)
686     return if_token_.range().Union(if_false_->GetRange());
687   return if_token_.range().Union(if_true_->GetRange());
688 }
689 
MakeErrorDescribing(const std::string & msg,const std::string & help) const690 Err ConditionNode::MakeErrorDescribing(const std::string& msg,
691                                        const std::string& help) const {
692   return Err(if_token_, msg, help);
693 }
694 
GetJSONNode() const695 base::Value ConditionNode::GetJSONNode() const {
696   base::Value dict = CreateJSONNode(kDumpNodeName, GetRange());
697   base::Value child(base::Value::Type::LIST);
698   child.GetList().push_back(condition_->GetJSONNode());
699   child.GetList().push_back(if_true_->GetJSONNode());
700   if (if_false_) {
701     child.GetList().push_back(if_false_->GetJSONNode());
702   }
703   dict.SetKey(kJsonNodeChild, std::move(child));
704   return dict;
705 }
706 
707 // static
NewFromJSON(const base::Value & value)708 std::unique_ptr<ConditionNode> ConditionNode::NewFromJSON(
709     const base::Value& value) {
710   auto ret = std::make_unique<ConditionNode>();
711 
712   DECLARE_CHILD_AS_LIST_OR_FAIL();
713   const base::Value::ListStorage& children = child->GetList();
714 
715   ret->if_token_ =
716       Token::ClassifyAndMake(GetBeginLocationFromJSON(value), "if");
717   ret->condition_ = ParseNode::BuildFromJSON(children[0]);
718   ret->if_true_ = BlockNode::NewFromJSON(children[1]);
719   if (children.size() > 2) {
720     ret->if_false_ = ParseNode::BuildFromJSON(children[2]);
721   }
722   GetCommentsFromJSON(ret.get(), value);
723   return ret;
724 }
725 
726 // FunctionCallNode -----------------------------------------------------------
727 
728 FunctionCallNode::FunctionCallNode() = default;
729 
730 FunctionCallNode::~FunctionCallNode() = default;
731 
AsFunctionCall() const732 const FunctionCallNode* FunctionCallNode::AsFunctionCall() const {
733   return this;
734 }
735 
Execute(Scope * scope,Err * err) const736 Value FunctionCallNode::Execute(Scope* scope, Err* err) const {
737   return functions::RunFunction(scope, this, args_.get(), block_.get(), err);
738 }
739 
GetRange() const740 LocationRange FunctionCallNode::GetRange() const {
741   if (function_.type() == Token::INVALID)
742     return LocationRange();  // This will be null in some tests.
743   if (block_)
744     return function_.range().Union(block_->GetRange());
745   return function_.range().Union(args_->GetRange());
746 }
747 
MakeErrorDescribing(const std::string & msg,const std::string & help) const748 Err FunctionCallNode::MakeErrorDescribing(const std::string& msg,
749                                           const std::string& help) const {
750   return Err(function_, msg, help);
751 }
752 
GetJSONNode() const753 base::Value FunctionCallNode::GetJSONNode() const {
754   base::Value dict =
755       CreateJSONNode(kDumpNodeName, function_.value(), GetRange());
756   base::Value child(base::Value::Type::LIST);
757   child.GetList().push_back(args_->GetJSONNode());
758   if (block_) {
759     child.GetList().push_back(block_->GetJSONNode());
760   }
761   dict.SetKey(kJsonNodeChild, std::move(child));
762   return dict;
763 }
764 
765 // static
NewFromJSON(const base::Value & value)766 std::unique_ptr<FunctionCallNode> FunctionCallNode::NewFromJSON(
767     const base::Value& value) {
768   auto ret = std::make_unique<FunctionCallNode>();
769 
770   DECLARE_CHILD_AS_LIST_OR_FAIL();
771   const base::Value::ListStorage& children = child->GetList();
772   ret->function_ = TokenFromValue(value);
773   ret->args_ = ListNode::NewFromJSON(children[0]);
774   if (children.size() > 1)
775     ret->block_ = BlockNode::NewFromJSON(children[1]);
776 
777   GetCommentsFromJSON(ret.get(), value);
778   return ret;
779 }
780 
SetNewLocation(int line_number)781 void FunctionCallNode::SetNewLocation(int line_number) {
782   Location func_old_loc = function_.location();
783   Location func_new_loc =
784       Location(func_old_loc.file(), line_number, func_old_loc.column_number());
785   function_.set_location(func_new_loc);
786 
787   Location args_old_loc = args_->Begin().location();
788   Location args_new_loc =
789       Location(args_old_loc.file(), line_number, args_old_loc.column_number());
790   const_cast<Token&>(args_->Begin()).set_location(args_new_loc);
791   const_cast<Token&>(args_->End()->value()).set_location(args_new_loc);
792 }
793 
794 // IdentifierNode --------------------------------------------------------------
795 
796 IdentifierNode::IdentifierNode() = default;
797 
IdentifierNode(const Token & token)798 IdentifierNode::IdentifierNode(const Token& token) : value_(token) {}
799 
800 IdentifierNode::~IdentifierNode() = default;
801 
AsIdentifier() const802 const IdentifierNode* IdentifierNode::AsIdentifier() const {
803   return this;
804 }
805 
Execute(Scope * scope,Err * err) const806 Value IdentifierNode::Execute(Scope* scope, Err* err) const {
807   const Scope* found_in_scope = nullptr;
808   const Value* value =
809       scope->GetValueWithScope(value_.value(), true, &found_in_scope);
810   Value result;
811   if (!value) {
812     *err = MakeErrorDescribing("Undefined identifier");
813     return result;
814   }
815 
816   if (!EnsureNotReadingFromSameDeclareArgs(this, scope, found_in_scope, err))
817     return result;
818 
819   result = *value;
820   result.set_origin(this);
821   return result;
822 }
823 
GetRange() const824 LocationRange IdentifierNode::GetRange() const {
825   return value_.range();
826 }
827 
MakeErrorDescribing(const std::string & msg,const std::string & help) const828 Err IdentifierNode::MakeErrorDescribing(const std::string& msg,
829                                         const std::string& help) const {
830   return Err(value_, msg, help);
831 }
832 
GetJSONNode() const833 base::Value IdentifierNode::GetJSONNode() const {
834   return CreateJSONNode(kDumpNodeName, value_.value(), GetRange());
835 }
836 
837 // static
NewFromJSON(const base::Value & value)838 std::unique_ptr<IdentifierNode> IdentifierNode::NewFromJSON(
839     const base::Value& value) {
840   auto ret = std::make_unique<IdentifierNode>();
841   ret->set_value(TokenFromValue(value));
842   GetCommentsFromJSON(ret.get(), value);
843   return ret;
844 }
845 
SetNewLocation(int line_number)846 void IdentifierNode::SetNewLocation(int line_number) {
847   Location old = value_.location();
848   value_.set_location(Location(old.file(), line_number, old.column_number()));
849 }
850 
851 // ListNode -------------------------------------------------------------------
852 
ListNode()853 ListNode::ListNode() {}
854 
855 ListNode::~ListNode() = default;
856 
AsList() const857 const ListNode* ListNode::AsList() const {
858   return this;
859 }
860 
Execute(Scope * scope,Err * err) const861 Value ListNode::Execute(Scope* scope, Err* err) const {
862   Value result_value(this, Value::LIST);
863   std::vector<Value>& results = result_value.list_value();
864   results.reserve(contents_.size());
865 
866   for (const auto& cur : contents_) {
867     if (cur->AsBlockComment())
868       continue;
869     results.push_back(cur->Execute(scope, err));
870     if (err->has_error())
871       return Value();
872     if (results.back().type() == Value::NONE) {
873       *err = cur->MakeErrorDescribing("This does not evaluate to a value.",
874                                       "I can't do something with nothing.");
875       return Value();
876     }
877   }
878   return result_value;
879 }
880 
GetRange() const881 LocationRange ListNode::GetRange() const {
882   return LocationRange(begin_token_.location(), end_->value().location());
883 }
884 
MakeErrorDescribing(const std::string & msg,const std::string & help) const885 Err ListNode::MakeErrorDescribing(const std::string& msg,
886                                   const std::string& help) const {
887   return Err(begin_token_, msg, help);
888 }
889 
GetJSONNode() const890 base::Value ListNode::GetJSONNode() const {
891   base::Value dict(CreateJSONNode(kDumpNodeName, GetRange()));
892   base::Value child(base::Value::Type::LIST);
893   for (const auto& cur : contents_) {
894     child.GetList().push_back(cur->GetJSONNode());
895   }
896   if (end_)
897     dict.SetKey(kJsonEnd, end_->GetJSONNode());
898   dict.SetKey(kJsonNodeChild, std::move(child));
899   dict.SetKey(kJsonBeginToken, base::Value(begin_token_.value()));
900   return dict;
901 }
902 
903 // static
NewFromJSON(const base::Value & value)904 std::unique_ptr<ListNode> ListNode::NewFromJSON(const base::Value& value) {
905   auto ret = std::make_unique<ListNode>();
906 
907   DECLARE_CHILD_AS_LIST_OR_FAIL();
908   for (const auto& elem : child->GetList()) {
909     ret->contents_.push_back(ParseNode::BuildFromJSON(elem));
910   }
911   ret->begin_token_ =
912       Token::ClassifyAndMake(GetBeginLocationFromJSON(value),
913                              value.FindKey(kJsonBeginToken)->GetString());
914   if (value.FindKey(kJsonEnd)) {
915     ret->end_ = EndNode::NewFromJSON(*value.FindKey(kJsonEnd));
916   }
917 
918   GetCommentsFromJSON(ret.get(), value);
919   return ret;
920 }
921 
922 template <typename Comparator>
SortList(Comparator comparator)923 void ListNode::SortList(Comparator comparator) {
924   // Partitions first on BlockCommentNodes and sorts each partition separately.
925   for (auto sr : GetSortRanges()) {
926     bool skip = false;
927     for (size_t i = sr.begin; i != sr.end; ++i) {
928       // Bails out if any of the nodes are unsupported.
929       const ParseNode* node = contents_[i].get();
930       if (!node->AsLiteral() && !node->AsIdentifier() && !node->AsAccessor()) {
931         skip = true;
932         continue;
933       }
934     }
935     if (skip)
936       continue;
937     // Save the original line number so that we can re-assign ranges. We assume
938     // they're contiguous lines because GetSortRanges() does so above. We need
939     // to re-assign these line numbers primiarily because `gn format` uses them
940     // to determine whether two nodes were initially separated by a blank line
941     // or not.
942     int start_line = contents_[sr.begin]->GetRange().begin().line_number();
943     const ParseNode* original_first = contents_[sr.begin].get();
944     std::sort(contents_.begin() + sr.begin, contents_.begin() + sr.end,
945               [&comparator](const std::unique_ptr<const ParseNode>& a,
946                             const std::unique_ptr<const ParseNode>& b) {
947                 return comparator(a.get(), b.get());
948               });
949     // If the beginning of the range had before comments, and the first node
950     // moved during the sort, then move its comments to the new head of the
951     // range.
952     if (original_first->comments() &&
953         contents_[sr.begin].get() != original_first) {
954       for (const auto& hc : original_first->comments()->before()) {
955         const_cast<ParseNode*>(contents_[sr.begin].get())
956             ->comments_mutable()
957             ->append_before(hc);
958       }
959       const_cast<ParseNode*>(original_first)
960           ->comments_mutable()
961           ->clear_before();
962     }
963     const ParseNode* prev = nullptr;
964     for (size_t i = sr.begin; i != sr.end; ++i) {
965       const ParseNode* node = contents_[i].get();
966       DCHECK(node->AsLiteral() || node->AsIdentifier() || node->AsAccessor());
967       int line_number =
968           prev ? prev->GetRange().end().line_number() + 1 : start_line;
969       if (node->AsLiteral()) {
970         const_cast<LiteralNode*>(node->AsLiteral())
971             ->SetNewLocation(line_number);
972       } else if (node->AsIdentifier()) {
973         const_cast<IdentifierNode*>(node->AsIdentifier())
974             ->SetNewLocation(line_number);
975       } else if (node->AsAccessor()) {
976         const_cast<AccessorNode*>(node->AsAccessor())
977             ->SetNewLocation(line_number);
978       }
979       prev = node;
980     }
981   }
982 }
983 
SortAsStringsList()984 void ListNode::SortAsStringsList() {
985   // Sorts alphabetically.
986   SortList([](const ParseNode* a, const ParseNode* b) {
987     std::string_view astr = GetStringRepresentation(a);
988     std::string_view bstr = GetStringRepresentation(b);
989     return astr < bstr;
990   });
991 }
992 
SortAsTargetsList()993 void ListNode::SortAsTargetsList() {
994   // Sorts first relative targets, then absolute, each group is sorted
995   // alphabetically.
996   SortList([](const ParseNode* a, const ParseNode* b) {
997     std::string_view astr = GetStringRepresentation(a);
998     std::string_view bstr = GetStringRepresentation(b);
999     return std::make_pair(GetDepsCategory(astr), SplitAtFirst(astr, ':')) <
1000            std::make_pair(GetDepsCategory(bstr), SplitAtFirst(bstr, ':'));
1001   });
1002 }
1003 
1004 // Breaks the ParseNodes of |contents| up by ranges that should be separately
1005 // sorted. In particular, we break at a block comment, or an item that has an
1006 // attached "before" comment and is separated by a blank line from the item
1007 // before it. The assumption is that both of these indicate a separate 'section'
1008 // of a sources block across which items should not be inter-sorted.
GetSortRanges() const1009 std::vector<ListNode::SortRange> ListNode::GetSortRanges() const {
1010   std::vector<SortRange> ranges;
1011   const ParseNode* prev = nullptr;
1012   size_t begin = 0;
1013   for (size_t i = begin; i < contents_.size(); prev = contents_[i++].get()) {
1014     if (IsSortRangeSeparator(contents_[i].get(), prev)) {
1015       if (i > begin) {
1016         ranges.push_back(SortRange(begin, i));
1017         // If |i| is an item with an attached comment, then we start the next
1018         // range at that point, because we want to include it in the sort.
1019         // Otherwise, it's a block comment which we skip over entirely because
1020         // we don't want to move or include it in the sort. The two cases are:
1021         //
1022         // sources = [
1023         //   "a",
1024         //   "b",
1025         //
1026         //   #
1027         //   # This is a block comment.
1028         //   #
1029         //
1030         //   "c",
1031         //   "d",
1032         // ]
1033         //
1034         // which contains 5 elements, and for which the ranges would be { [0,
1035         // 2), [3, 5) } (notably excluding 2, the block comment), and:
1036         //
1037         // sources = [
1038         //   "a",
1039         //   "b",
1040         //
1041         //   # This is a header comment.
1042         //   "c",
1043         //   "d",
1044         // ]
1045         //
1046         // which contains 4 elements, index 2 containing an attached 'before'
1047         // comments, and the ranges should be { [0, 2), [2, 4) }.
1048         if (!contents_[i]->AsBlockComment())
1049           begin = i;
1050         else
1051           begin = i + 1;
1052       } else {
1053         // If it was a one item range, just skip over it.
1054         begin = i + 1;
1055       }
1056     }
1057   }
1058   if (begin != contents_.size())
1059     ranges.push_back(SortRange(begin, contents_.size()));
1060   return ranges;
1061 }
1062 
1063 // LiteralNode -----------------------------------------------------------------
1064 
1065 LiteralNode::LiteralNode() = default;
1066 
LiteralNode(const Token & token)1067 LiteralNode::LiteralNode(const Token& token) : value_(token) {}
1068 
1069 LiteralNode::~LiteralNode() = default;
1070 
AsLiteral() const1071 const LiteralNode* LiteralNode::AsLiteral() const {
1072   return this;
1073 }
1074 
Execute(Scope * scope,Err * err) const1075 Value LiteralNode::Execute(Scope* scope, Err* err) const {
1076   switch (value_.type()) {
1077     case Token::TRUE_TOKEN:
1078       return Value(this, true);
1079     case Token::FALSE_TOKEN:
1080       return Value(this, false);
1081     case Token::INTEGER: {
1082       std::string_view s = value_.value();
1083       if ((base::StartsWith(s, "0", base::CompareCase::SENSITIVE) &&
1084            s.size() > 1) ||
1085           base::StartsWith(s, "-0", base::CompareCase::SENSITIVE)) {
1086         if (s == "-0")
1087           *err = MakeErrorDescribing("Negative zero doesn't make sense");
1088         else
1089           *err = MakeErrorDescribing("Leading zeros not allowed");
1090         return Value();
1091       }
1092       int64_t result_int;
1093       if (!base::StringToInt64(s, &result_int)) {
1094         *err = MakeErrorDescribing("This does not look like an integer");
1095         return Value();
1096       }
1097       return Value(this, result_int);
1098     }
1099     case Token::STRING: {
1100       Value v(this, Value::STRING);
1101       ExpandStringLiteral(scope, value_, &v, err);
1102       return v;
1103     }
1104     default:
1105       NOTREACHED();
1106       return Value();
1107   }
1108 }
1109 
GetRange() const1110 LocationRange LiteralNode::GetRange() const {
1111   return value_.range();
1112 }
1113 
MakeErrorDescribing(const std::string & msg,const std::string & help) const1114 Err LiteralNode::MakeErrorDescribing(const std::string& msg,
1115                                      const std::string& help) const {
1116   return Err(value_, msg, help);
1117 }
1118 
GetJSONNode() const1119 base::Value LiteralNode::GetJSONNode() const {
1120   return CreateJSONNode(kDumpNodeName, value_.value(), GetRange());
1121 }
1122 
1123 // static
NewFromJSON(const base::Value & value)1124 std::unique_ptr<LiteralNode> LiteralNode::NewFromJSON(
1125     const base::Value& value) {
1126   auto ret = std::make_unique<LiteralNode>();
1127   ret->value_ = TokenFromValue(value);
1128   GetCommentsFromJSON(ret.get(), value);
1129   return ret;
1130 }
1131 
SetNewLocation(int line_number)1132 void LiteralNode::SetNewLocation(int line_number) {
1133   Location old = value_.location();
1134   value_.set_location(Location(old.file(), line_number, old.column_number()));
1135 }
1136 
1137 // UnaryOpNode ----------------------------------------------------------------
1138 
1139 UnaryOpNode::UnaryOpNode() = default;
1140 
1141 UnaryOpNode::~UnaryOpNode() = default;
1142 
AsUnaryOp() const1143 const UnaryOpNode* UnaryOpNode::AsUnaryOp() const {
1144   return this;
1145 }
1146 
Execute(Scope * scope,Err * err) const1147 Value UnaryOpNode::Execute(Scope* scope, Err* err) const {
1148   Value operand_value = operand_->Execute(scope, err);
1149   if (err->has_error())
1150     return Value();
1151   return ExecuteUnaryOperator(scope, this, operand_value, err);
1152 }
1153 
GetRange() const1154 LocationRange UnaryOpNode::GetRange() const {
1155   return op_.range().Union(operand_->GetRange());
1156 }
1157 
MakeErrorDescribing(const std::string & msg,const std::string & help) const1158 Err UnaryOpNode::MakeErrorDescribing(const std::string& msg,
1159                                      const std::string& help) const {
1160   return Err(op_, msg, help);
1161 }
1162 
GetJSONNode() const1163 base::Value UnaryOpNode::GetJSONNode() const {
1164   base::Value dict = CreateJSONNode(kDumpNodeName, op_.value(), GetRange());
1165   base::Value child(base::Value::Type::LIST);
1166   child.GetList().push_back(operand_->GetJSONNode());
1167   dict.SetKey(kJsonNodeChild, std::move(child));
1168   return dict;
1169 }
1170 
1171 // static
NewFromJSON(const base::Value & value)1172 std::unique_ptr<UnaryOpNode> UnaryOpNode::NewFromJSON(
1173     const base::Value& value) {
1174   auto ret = std::make_unique<UnaryOpNode>();
1175   ret->op_ = TokenFromValue(value);
1176   DECLARE_CHILD_AS_LIST_OR_FAIL();
1177   ret->operand_ = ParseNode::BuildFromJSON(child->GetList()[0]);
1178   GetCommentsFromJSON(ret.get(), value);
1179   return ret;
1180 }
1181 
1182 // BlockCommentNode ------------------------------------------------------------
1183 
1184 BlockCommentNode::BlockCommentNode() = default;
1185 
1186 BlockCommentNode::~BlockCommentNode() = default;
1187 
AsBlockComment() const1188 const BlockCommentNode* BlockCommentNode::AsBlockComment() const {
1189   return this;
1190 }
1191 
Execute(Scope * scope,Err * err) const1192 Value BlockCommentNode::Execute(Scope* scope, Err* err) const {
1193   return Value();
1194 }
1195 
GetRange() const1196 LocationRange BlockCommentNode::GetRange() const {
1197   return comment_.range();
1198 }
1199 
MakeErrorDescribing(const std::string & msg,const std::string & help) const1200 Err BlockCommentNode::MakeErrorDescribing(const std::string& msg,
1201                                           const std::string& help) const {
1202   return Err(comment_, msg, help);
1203 }
1204 
GetJSONNode() const1205 base::Value BlockCommentNode::GetJSONNode() const {
1206   std::string escaped;
1207   return CreateJSONNode(kDumpNodeName, comment_.value(), GetRange());
1208 }
1209 
1210 // static
NewFromJSON(const base::Value & value)1211 std::unique_ptr<BlockCommentNode> BlockCommentNode::NewFromJSON(
1212     const base::Value& value) {
1213   auto ret = std::make_unique<BlockCommentNode>();
1214   ret->comment_ = Token(GetBeginLocationFromJSON(value), Token::BLOCK_COMMENT,
1215                         value.FindKey(kJsonNodeValue)->GetString());
1216   GetCommentsFromJSON(ret.get(), value);
1217   return ret;
1218 }
1219 
1220 // EndNode ---------------------------------------------------------------------
1221 
EndNode(const Token & token)1222 EndNode::EndNode(const Token& token) : value_(token) {}
1223 
1224 EndNode::~EndNode() = default;
1225 
AsEnd() const1226 const EndNode* EndNode::AsEnd() const {
1227   return this;
1228 }
1229 
Execute(Scope * scope,Err * err) const1230 Value EndNode::Execute(Scope* scope, Err* err) const {
1231   return Value();
1232 }
1233 
GetRange() const1234 LocationRange EndNode::GetRange() const {
1235   return value_.range();
1236 }
1237 
MakeErrorDescribing(const std::string & msg,const std::string & help) const1238 Err EndNode::MakeErrorDescribing(const std::string& msg,
1239                                  const std::string& help) const {
1240   return Err(value_, msg, help);
1241 }
1242 
GetJSONNode() const1243 base::Value EndNode::GetJSONNode() const {
1244   return CreateJSONNode(kDumpNodeName, value_.value(), GetRange());
1245 }
1246 
1247 // static
NewFromJSON(const base::Value & value)1248 std::unique_ptr<EndNode> EndNode::NewFromJSON(const base::Value& value) {
1249   auto ret = std::make_unique<EndNode>(TokenFromValue(value));
1250   GetCommentsFromJSON(ret.get(), value);
1251   return ret;
1252 }
1253