1 //===-- lib/Semantics/tools.cpp -------------------------------------------===// 2 // 3 // Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions. 4 // See https://llvm.org/LICENSE.txt for license information. 5 // SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception 6 // 7 //===----------------------------------------------------------------------===// 8 9 #include "flang/Parser/tools.h" 10 #include "flang/Common/Fortran.h" 11 #include "flang/Common/indirection.h" 12 #include "flang/Parser/dump-parse-tree.h" 13 #include "flang/Parser/message.h" 14 #include "flang/Parser/parse-tree.h" 15 #include "flang/Semantics/scope.h" 16 #include "flang/Semantics/semantics.h" 17 #include "flang/Semantics/symbol.h" 18 #include "flang/Semantics/tools.h" 19 #include "flang/Semantics/type.h" 20 #include "llvm/Support/raw_ostream.h" 21 #include <algorithm> 22 #include <set> 23 #include <variant> 24 25 namespace Fortran::semantics { 26 27 // Find this or containing scope that matches predicate 28 static const Scope *FindScopeContaining( 29 const Scope &start, std::function<bool(const Scope &)> predicate) { 30 for (const Scope *scope{&start};; scope = &scope->parent()) { 31 if (predicate(*scope)) { 32 return scope; 33 } 34 if (scope->IsTopLevel()) { 35 return nullptr; 36 } 37 } 38 } 39 40 const Scope &GetTopLevelUnitContaining(const Scope &start) { 41 CHECK(!start.IsTopLevel()); 42 return DEREF(FindScopeContaining( 43 start, [](const Scope &scope) { return scope.parent().IsTopLevel(); })); 44 } 45 46 const Scope &GetTopLevelUnitContaining(const Symbol &symbol) { 47 return GetTopLevelUnitContaining(symbol.owner()); 48 } 49 50 const Scope *FindModuleContaining(const Scope &start) { 51 return FindScopeContaining( 52 start, [](const Scope &scope) { return scope.IsModule(); }); 53 } 54 55 const Scope *FindModuleFileContaining(const Scope &start) { 56 return FindScopeContaining( 57 start, [](const Scope &scope) { return scope.IsModuleFile(); }); 58 } 59 60 const Scope &GetProgramUnitContaining(const Scope &start) { 61 CHECK(!start.IsTopLevel()); 62 return DEREF(FindScopeContaining(start, [](const Scope &scope) { 63 switch (scope.kind()) { 64 case Scope::Kind::Module: 65 case Scope::Kind::MainProgram: 66 case Scope::Kind::Subprogram: 67 case Scope::Kind::BlockData: 68 return true; 69 default: 70 return false; 71 } 72 })); 73 } 74 75 const Scope &GetProgramUnitContaining(const Symbol &symbol) { 76 return GetProgramUnitContaining(symbol.owner()); 77 } 78 79 const Scope *FindPureProcedureContaining(const Scope &start) { 80 // N.B. We only need to examine the innermost containing program unit 81 // because an internal subprogram of a pure subprogram must also 82 // be pure (C1592). 83 if (start.IsTopLevel()) { 84 return nullptr; 85 } else { 86 const Scope &scope{GetProgramUnitContaining(start)}; 87 return IsPureProcedure(scope) ? &scope : nullptr; 88 } 89 } 90 91 // 7.5.2.4 "same derived type" test -- rely on IsTkCompatibleWith() and its 92 // infrastructure to detect and handle comparisons on distinct (but "same") 93 // sequence/bind(C) derived types 94 static bool MightBeSameDerivedType( 95 const std::optional<evaluate::DynamicType> &lhsType, 96 const std::optional<evaluate::DynamicType> &rhsType) { 97 return lhsType && rhsType && lhsType->IsTkCompatibleWith(*rhsType); 98 } 99 100 Tristate IsDefinedAssignment( 101 const std::optional<evaluate::DynamicType> &lhsType, int lhsRank, 102 const std::optional<evaluate::DynamicType> &rhsType, int rhsRank) { 103 if (!lhsType || !rhsType) { 104 return Tristate::No; // error or rhs is untyped 105 } 106 if (lhsType->IsUnlimitedPolymorphic()) { 107 return Tristate::No; 108 } 109 if (rhsType->IsUnlimitedPolymorphic()) { 110 return Tristate::Maybe; 111 } 112 TypeCategory lhsCat{lhsType->category()}; 113 TypeCategory rhsCat{rhsType->category()}; 114 if (rhsRank > 0 && lhsRank != rhsRank) { 115 return Tristate::Yes; 116 } else if (lhsCat != TypeCategory::Derived) { 117 return ToTristate(lhsCat != rhsCat && 118 (!IsNumericTypeCategory(lhsCat) || !IsNumericTypeCategory(rhsCat))); 119 } else if (MightBeSameDerivedType(lhsType, rhsType)) { 120 return Tristate::Maybe; // TYPE(t) = TYPE(t) can be defined or intrinsic 121 } else { 122 return Tristate::Yes; 123 } 124 } 125 126 bool IsIntrinsicRelational(common::RelationalOperator opr, 127 const evaluate::DynamicType &type0, int rank0, 128 const evaluate::DynamicType &type1, int rank1) { 129 if (!evaluate::AreConformable(rank0, rank1)) { 130 return false; 131 } else { 132 auto cat0{type0.category()}; 133 auto cat1{type1.category()}; 134 if (IsNumericTypeCategory(cat0) && IsNumericTypeCategory(cat1)) { 135 // numeric types: EQ/NE always ok, others ok for non-complex 136 return opr == common::RelationalOperator::EQ || 137 opr == common::RelationalOperator::NE || 138 (cat0 != TypeCategory::Complex && cat1 != TypeCategory::Complex); 139 } else { 140 // not both numeric: only Character is ok 141 return cat0 == TypeCategory::Character && cat1 == TypeCategory::Character; 142 } 143 } 144 } 145 146 bool IsIntrinsicNumeric(const evaluate::DynamicType &type0) { 147 return IsNumericTypeCategory(type0.category()); 148 } 149 bool IsIntrinsicNumeric(const evaluate::DynamicType &type0, int rank0, 150 const evaluate::DynamicType &type1, int rank1) { 151 return evaluate::AreConformable(rank0, rank1) && 152 IsNumericTypeCategory(type0.category()) && 153 IsNumericTypeCategory(type1.category()); 154 } 155 156 bool IsIntrinsicLogical(const evaluate::DynamicType &type0) { 157 return type0.category() == TypeCategory::Logical; 158 } 159 bool IsIntrinsicLogical(const evaluate::DynamicType &type0, int rank0, 160 const evaluate::DynamicType &type1, int rank1) { 161 return evaluate::AreConformable(rank0, rank1) && 162 type0.category() == TypeCategory::Logical && 163 type1.category() == TypeCategory::Logical; 164 } 165 166 bool IsIntrinsicConcat(const evaluate::DynamicType &type0, int rank0, 167 const evaluate::DynamicType &type1, int rank1) { 168 return evaluate::AreConformable(rank0, rank1) && 169 type0.category() == TypeCategory::Character && 170 type1.category() == TypeCategory::Character && 171 type0.kind() == type1.kind(); 172 } 173 174 bool IsGenericDefinedOp(const Symbol &symbol) { 175 const Symbol &ultimate{symbol.GetUltimate()}; 176 if (const auto *generic{ultimate.detailsIf<GenericDetails>()}) { 177 return generic->kind().IsDefinedOperator(); 178 } else if (const auto *misc{ultimate.detailsIf<MiscDetails>()}) { 179 return misc->kind() == MiscDetails::Kind::TypeBoundDefinedOp; 180 } else { 181 return false; 182 } 183 } 184 185 bool IsDefinedOperator(SourceName name) { 186 const char *begin{name.begin()}; 187 const char *end{name.end()}; 188 return begin != end && begin[0] == '.' && end[-1] == '.'; 189 } 190 191 std::string MakeOpName(SourceName name) { 192 std::string result{name.ToString()}; 193 return IsDefinedOperator(name) ? "OPERATOR(" + result + ")" 194 : result.find("operator(", 0) == 0 ? parser::ToUpperCaseLetters(result) 195 : result; 196 } 197 198 bool IsCommonBlockContaining(const Symbol &block, const Symbol &object) { 199 const auto &objects{block.get<CommonBlockDetails>().objects()}; 200 auto found{std::find(objects.begin(), objects.end(), object)}; 201 return found != objects.end(); 202 } 203 204 bool IsUseAssociated(const Symbol &symbol, const Scope &scope) { 205 const Scope &owner{GetProgramUnitContaining(symbol.GetUltimate().owner())}; 206 return owner.kind() == Scope::Kind::Module && 207 owner != GetProgramUnitContaining(scope); 208 } 209 210 bool DoesScopeContain( 211 const Scope *maybeAncestor, const Scope &maybeDescendent) { 212 return maybeAncestor && !maybeDescendent.IsTopLevel() && 213 FindScopeContaining(maybeDescendent.parent(), 214 [&](const Scope &scope) { return &scope == maybeAncestor; }); 215 } 216 217 bool DoesScopeContain(const Scope *maybeAncestor, const Symbol &symbol) { 218 return DoesScopeContain(maybeAncestor, symbol.owner()); 219 } 220 221 static const Symbol &FollowHostAssoc(const Symbol &symbol) { 222 for (const Symbol *s{&symbol};;) { 223 const auto *details{s->detailsIf<HostAssocDetails>()}; 224 if (!details) { 225 return *s; 226 } 227 s = &details->symbol(); 228 } 229 } 230 231 bool IsHostAssociated(const Symbol &symbol, const Scope &scope) { 232 const Scope &subprogram{GetProgramUnitContaining(scope)}; 233 return DoesScopeContain( 234 &GetProgramUnitContaining(FollowHostAssoc(symbol)), subprogram); 235 } 236 237 bool IsInStmtFunction(const Symbol &symbol) { 238 if (const Symbol * function{symbol.owner().symbol()}) { 239 return IsStmtFunction(*function); 240 } 241 return false; 242 } 243 244 bool IsStmtFunctionDummy(const Symbol &symbol) { 245 return IsDummy(symbol) && IsInStmtFunction(symbol); 246 } 247 248 bool IsStmtFunctionResult(const Symbol &symbol) { 249 return IsFunctionResult(symbol) && IsInStmtFunction(symbol); 250 } 251 252 bool IsPointerDummy(const Symbol &symbol) { 253 return IsPointer(symbol) && IsDummy(symbol); 254 } 255 256 bool IsBindCProcedure(const Symbol &symbol) { 257 if (const auto *procDetails{symbol.detailsIf<ProcEntityDetails>()}) { 258 if (const Symbol * procInterface{procDetails->interface().symbol()}) { 259 // procedure component with a BIND(C) interface 260 return IsBindCProcedure(*procInterface); 261 } 262 } 263 return symbol.attrs().test(Attr::BIND_C) && IsProcedure(symbol); 264 } 265 266 bool IsBindCProcedure(const Scope &scope) { 267 if (const Symbol * symbol{scope.GetSymbol()}) { 268 return IsBindCProcedure(*symbol); 269 } else { 270 return false; 271 } 272 } 273 274 static const Symbol *FindPointerComponent( 275 const Scope &scope, std::set<const Scope *> &visited) { 276 if (!scope.IsDerivedType()) { 277 return nullptr; 278 } 279 if (!visited.insert(&scope).second) { 280 return nullptr; 281 } 282 // If there's a top-level pointer component, return it for clearer error 283 // messaging. 284 for (const auto &pair : scope) { 285 const Symbol &symbol{*pair.second}; 286 if (IsPointer(symbol)) { 287 return &symbol; 288 } 289 } 290 for (const auto &pair : scope) { 291 const Symbol &symbol{*pair.second}; 292 if (const auto *details{symbol.detailsIf<ObjectEntityDetails>()}) { 293 if (const DeclTypeSpec * type{details->type()}) { 294 if (const DerivedTypeSpec * derived{type->AsDerived()}) { 295 if (const Scope * nested{derived->scope()}) { 296 if (const Symbol * 297 pointer{FindPointerComponent(*nested, visited)}) { 298 return pointer; 299 } 300 } 301 } 302 } 303 } 304 } 305 return nullptr; 306 } 307 308 const Symbol *FindPointerComponent(const Scope &scope) { 309 std::set<const Scope *> visited; 310 return FindPointerComponent(scope, visited); 311 } 312 313 const Symbol *FindPointerComponent(const DerivedTypeSpec &derived) { 314 if (const Scope * scope{derived.scope()}) { 315 return FindPointerComponent(*scope); 316 } else { 317 return nullptr; 318 } 319 } 320 321 const Symbol *FindPointerComponent(const DeclTypeSpec &type) { 322 if (const DerivedTypeSpec * derived{type.AsDerived()}) { 323 return FindPointerComponent(*derived); 324 } else { 325 return nullptr; 326 } 327 } 328 329 const Symbol *FindPointerComponent(const DeclTypeSpec *type) { 330 return type ? FindPointerComponent(*type) : nullptr; 331 } 332 333 const Symbol *FindPointerComponent(const Symbol &symbol) { 334 return IsPointer(symbol) ? &symbol : FindPointerComponent(symbol.GetType()); 335 } 336 337 // C1594 specifies several ways by which an object might be globally visible. 338 const Symbol *FindExternallyVisibleObject( 339 const Symbol &object, const Scope &scope) { 340 // TODO: Storage association with any object for which this predicate holds, 341 // once EQUIVALENCE is supported. 342 const Symbol &ultimate{GetAssociationRoot(object)}; 343 if (IsDummy(ultimate)) { 344 if (IsIntentIn(ultimate)) { 345 return &ultimate; 346 } 347 if (IsPointer(ultimate) && IsPureProcedure(ultimate.owner()) && 348 IsFunction(ultimate.owner())) { 349 return &ultimate; 350 } 351 } else if (&GetProgramUnitContaining(ultimate) != 352 &GetProgramUnitContaining(scope)) { 353 return &object; 354 } else if (const Symbol * block{FindCommonBlockContaining(ultimate)}) { 355 return block; 356 } 357 return nullptr; 358 } 359 360 const Symbol &BypassGeneric(const Symbol &symbol) { 361 const Symbol &ultimate{symbol.GetUltimate()}; 362 if (const auto *generic{ultimate.detailsIf<GenericDetails>()}) { 363 if (const Symbol * specific{generic->specific()}) { 364 return *specific; 365 } 366 } 367 return symbol; 368 } 369 370 bool ExprHasTypeCategory( 371 const SomeExpr &expr, const common::TypeCategory &type) { 372 auto dynamicType{expr.GetType()}; 373 return dynamicType && dynamicType->category() == type; 374 } 375 376 bool ExprTypeKindIsDefault( 377 const SomeExpr &expr, const SemanticsContext &context) { 378 auto dynamicType{expr.GetType()}; 379 return dynamicType && 380 dynamicType->category() != common::TypeCategory::Derived && 381 dynamicType->kind() == context.GetDefaultKind(dynamicType->category()); 382 } 383 384 // If an analyzed expr or assignment is missing, dump the node and die. 385 template <typename T> 386 static void CheckMissingAnalysis( 387 bool crash, SemanticsContext *context, const T &x) { 388 if (crash && !(context && context->AnyFatalError())) { 389 std::string buf; 390 llvm::raw_string_ostream ss{buf}; 391 ss << "node has not been analyzed:\n"; 392 parser::DumpTree(ss, x); 393 common::die(ss.str().c_str()); 394 } 395 } 396 397 const SomeExpr *GetExprHelper::Get(const parser::Expr &x) { 398 CheckMissingAnalysis(crashIfNoExpr_ && !x.typedExpr, context_, x); 399 return x.typedExpr ? common::GetPtrFromOptional(x.typedExpr->v) : nullptr; 400 } 401 const SomeExpr *GetExprHelper::Get(const parser::Variable &x) { 402 CheckMissingAnalysis(crashIfNoExpr_ && !x.typedExpr, context_, x); 403 return x.typedExpr ? common::GetPtrFromOptional(x.typedExpr->v) : nullptr; 404 } 405 const SomeExpr *GetExprHelper::Get(const parser::DataStmtConstant &x) { 406 CheckMissingAnalysis(crashIfNoExpr_ && !x.typedExpr, context_, x); 407 return x.typedExpr ? common::GetPtrFromOptional(x.typedExpr->v) : nullptr; 408 } 409 const SomeExpr *GetExprHelper::Get(const parser::AllocateObject &x) { 410 CheckMissingAnalysis(crashIfNoExpr_ && !x.typedExpr, context_, x); 411 return x.typedExpr ? common::GetPtrFromOptional(x.typedExpr->v) : nullptr; 412 } 413 const SomeExpr *GetExprHelper::Get(const parser::PointerObject &x) { 414 CheckMissingAnalysis(crashIfNoExpr_ && !x.typedExpr, context_, x); 415 return x.typedExpr ? common::GetPtrFromOptional(x.typedExpr->v) : nullptr; 416 } 417 418 const evaluate::Assignment *GetAssignment(const parser::AssignmentStmt &x) { 419 return x.typedAssignment ? common::GetPtrFromOptional(x.typedAssignment->v) 420 : nullptr; 421 } 422 const evaluate::Assignment *GetAssignment( 423 const parser::PointerAssignmentStmt &x) { 424 return x.typedAssignment ? common::GetPtrFromOptional(x.typedAssignment->v) 425 : nullptr; 426 } 427 428 const Symbol *FindInterface(const Symbol &symbol) { 429 return common::visit( 430 common::visitors{ 431 [](const ProcEntityDetails &details) { 432 return details.interface().symbol(); 433 }, 434 [](const ProcBindingDetails &details) { return &details.symbol(); }, 435 [](const auto &) -> const Symbol * { return nullptr; }, 436 }, 437 symbol.details()); 438 } 439 440 const Symbol *FindSubprogram(const Symbol &symbol) { 441 return common::visit( 442 common::visitors{ 443 [&](const ProcEntityDetails &details) -> const Symbol * { 444 if (const Symbol * interface{details.interface().symbol()}) { 445 return FindSubprogram(*interface); 446 } else { 447 return &symbol; 448 } 449 }, 450 [](const ProcBindingDetails &details) { 451 return FindSubprogram(details.symbol()); 452 }, 453 [&](const SubprogramDetails &) { return &symbol; }, 454 [](const UseDetails &details) { 455 return FindSubprogram(details.symbol()); 456 }, 457 [](const HostAssocDetails &details) { 458 return FindSubprogram(details.symbol()); 459 }, 460 [](const auto &) -> const Symbol * { return nullptr; }, 461 }, 462 symbol.details()); 463 } 464 465 const Symbol *FindOverriddenBinding(const Symbol &symbol) { 466 if (symbol.has<ProcBindingDetails>()) { 467 if (const DeclTypeSpec * parentType{FindParentTypeSpec(symbol.owner())}) { 468 if (const DerivedTypeSpec * parentDerived{parentType->AsDerived()}) { 469 if (const Scope * parentScope{parentDerived->typeSymbol().scope()}) { 470 return parentScope->FindComponent(symbol.name()); 471 } 472 } 473 } 474 } 475 return nullptr; 476 } 477 478 const DeclTypeSpec *FindParentTypeSpec(const DerivedTypeSpec &derived) { 479 return FindParentTypeSpec(derived.typeSymbol()); 480 } 481 482 const DeclTypeSpec *FindParentTypeSpec(const DeclTypeSpec &decl) { 483 if (const DerivedTypeSpec * derived{decl.AsDerived()}) { 484 return FindParentTypeSpec(*derived); 485 } else { 486 return nullptr; 487 } 488 } 489 490 const DeclTypeSpec *FindParentTypeSpec(const Scope &scope) { 491 if (scope.kind() == Scope::Kind::DerivedType) { 492 if (const auto *symbol{scope.symbol()}) { 493 return FindParentTypeSpec(*symbol); 494 } 495 } 496 return nullptr; 497 } 498 499 const DeclTypeSpec *FindParentTypeSpec(const Symbol &symbol) { 500 if (const Scope * scope{symbol.scope()}) { 501 if (const auto *details{symbol.detailsIf<DerivedTypeDetails>()}) { 502 if (const Symbol * parent{details->GetParentComponent(*scope)}) { 503 return parent->GetType(); 504 } 505 } 506 } 507 return nullptr; 508 } 509 510 const EquivalenceSet *FindEquivalenceSet(const Symbol &symbol) { 511 const Symbol &ultimate{symbol.GetUltimate()}; 512 for (const EquivalenceSet &set : ultimate.owner().equivalenceSets()) { 513 for (const EquivalenceObject &object : set) { 514 if (object.symbol == ultimate) { 515 return &set; 516 } 517 } 518 } 519 return nullptr; 520 } 521 522 bool IsOrContainsEventOrLockComponent(const Symbol &original) { 523 const Symbol &symbol{ResolveAssociations(original)}; 524 if (const auto *details{symbol.detailsIf<ObjectEntityDetails>()}) { 525 if (const DeclTypeSpec * type{details->type()}) { 526 if (const DerivedTypeSpec * derived{type->AsDerived()}) { 527 return IsEventTypeOrLockType(derived) || 528 FindEventOrLockPotentialComponent(*derived); 529 } 530 } 531 } 532 return false; 533 } 534 535 // Check this symbol suitable as a type-bound procedure - C769 536 bool CanBeTypeBoundProc(const Symbol *symbol) { 537 if (!symbol || IsDummy(*symbol) || IsProcedurePointer(*symbol)) { 538 return false; 539 } else if (symbol->has<SubprogramNameDetails>()) { 540 return symbol->owner().kind() == Scope::Kind::Module; 541 } else if (auto *details{symbol->detailsIf<SubprogramDetails>()}) { 542 return symbol->owner().kind() == Scope::Kind::Module || 543 details->isInterface(); 544 } else if (const auto *proc{symbol->detailsIf<ProcEntityDetails>()}) { 545 return !symbol->attrs().test(Attr::INTRINSIC) && 546 proc->HasExplicitInterface(); 547 } else { 548 return false; 549 } 550 } 551 552 bool HasDeclarationInitializer(const Symbol &symbol) { 553 if (IsNamedConstant(symbol)) { 554 return false; 555 } else if (const auto *object{symbol.detailsIf<ObjectEntityDetails>()}) { 556 return object->init().has_value(); 557 } else if (const auto *proc{symbol.detailsIf<ProcEntityDetails>()}) { 558 return proc->init().has_value(); 559 } else { 560 return false; 561 } 562 } 563 564 bool IsInitialized( 565 const Symbol &symbol, bool ignoreDataStatements, bool ignoreAllocatable) { 566 if (!ignoreAllocatable && IsAllocatable(symbol)) { 567 return true; 568 } else if (!ignoreDataStatements && symbol.test(Symbol::Flag::InDataStmt)) { 569 return true; 570 } else if (HasDeclarationInitializer(symbol)) { 571 return true; 572 } else if (IsNamedConstant(symbol) || IsFunctionResult(symbol) || 573 IsPointer(symbol)) { 574 return false; 575 } else if (const auto *object{symbol.detailsIf<ObjectEntityDetails>()}) { 576 if (!object->isDummy() && object->type()) { 577 if (const auto *derived{object->type()->AsDerived()}) { 578 return derived->HasDefaultInitialization(ignoreAllocatable); 579 } 580 } 581 } 582 return false; 583 } 584 585 bool IsDestructible(const Symbol &symbol, const Symbol *derivedTypeSymbol) { 586 if (IsAllocatable(symbol) || IsAutomatic(symbol)) { 587 return true; 588 } else if (IsNamedConstant(symbol) || IsFunctionResult(symbol) || 589 IsPointer(symbol)) { 590 return false; 591 } else if (const auto *object{symbol.detailsIf<ObjectEntityDetails>()}) { 592 if (!object->isDummy() && object->type()) { 593 if (const auto *derived{object->type()->AsDerived()}) { 594 return &derived->typeSymbol() != derivedTypeSymbol && 595 derived->HasDestruction(); 596 } 597 } 598 } 599 return false; 600 } 601 602 bool HasIntrinsicTypeName(const Symbol &symbol) { 603 std::string name{symbol.name().ToString()}; 604 if (name == "doubleprecision") { 605 return true; 606 } else if (name == "derived") { 607 return false; 608 } else { 609 for (int i{0}; i != common::TypeCategory_enumSize; ++i) { 610 if (name == parser::ToLowerCaseLetters(EnumToString(TypeCategory{i}))) { 611 return true; 612 } 613 } 614 return false; 615 } 616 } 617 618 bool IsSeparateModuleProcedureInterface(const Symbol *symbol) { 619 if (symbol && symbol->attrs().test(Attr::MODULE)) { 620 if (auto *details{symbol->detailsIf<SubprogramDetails>()}) { 621 return details->isInterface(); 622 } 623 } 624 return false; 625 } 626 627 bool IsFinalizable( 628 const Symbol &symbol, std::set<const DerivedTypeSpec *> *inProgress) { 629 if (IsPointer(symbol)) { 630 return false; 631 } 632 if (const auto *object{symbol.detailsIf<ObjectEntityDetails>()}) { 633 if (object->isDummy() && !IsIntentOut(symbol)) { 634 return false; 635 } 636 const DeclTypeSpec *type{object->type()}; 637 const DerivedTypeSpec *typeSpec{type ? type->AsDerived() : nullptr}; 638 return typeSpec && IsFinalizable(*typeSpec, inProgress); 639 } 640 return false; 641 } 642 643 bool IsFinalizable(const DerivedTypeSpec &derived, 644 std::set<const DerivedTypeSpec *> *inProgress) { 645 if (!derived.typeSymbol().get<DerivedTypeDetails>().finals().empty()) { 646 return true; 647 } 648 std::set<const DerivedTypeSpec *> basis; 649 if (inProgress) { 650 if (inProgress->find(&derived) != inProgress->end()) { 651 return false; // don't loop on recursive type 652 } 653 } else { 654 inProgress = &basis; 655 } 656 auto iterator{inProgress->insert(&derived).first}; 657 PotentialComponentIterator components{derived}; 658 bool result{bool{std::find_if( 659 components.begin(), components.end(), [=](const Symbol &component) { 660 return IsFinalizable(component, inProgress); 661 })}}; 662 inProgress->erase(iterator); 663 return result; 664 } 665 666 bool HasImpureFinal(const DerivedTypeSpec &derived) { 667 if (const auto *details{ 668 derived.typeSymbol().detailsIf<DerivedTypeDetails>()}) { 669 const auto &finals{details->finals()}; 670 return std::any_of(finals.begin(), finals.end(), 671 [](const auto &x) { return !IsPureProcedure(*x.second); }); 672 } else { 673 return false; 674 } 675 } 676 677 bool IsAssumedLengthCharacter(const Symbol &symbol) { 678 if (const DeclTypeSpec * type{symbol.GetType()}) { 679 return type->category() == DeclTypeSpec::Character && 680 type->characterTypeSpec().length().isAssumed(); 681 } else { 682 return false; 683 } 684 } 685 686 bool IsInBlankCommon(const Symbol &symbol) { 687 const Symbol *block{FindCommonBlockContaining(symbol)}; 688 return block && block->name().empty(); 689 } 690 691 // C722 and C723: For a function to be assumed length, it must be external and 692 // of CHARACTER type 693 bool IsExternal(const Symbol &symbol) { 694 return ClassifyProcedure(symbol) == ProcedureDefinitionClass::External; 695 } 696 697 // Most scopes have no EQUIVALENCE, and this function is a fast no-op for them. 698 std::list<std::list<SymbolRef>> GetStorageAssociations(const Scope &scope) { 699 UnorderedSymbolSet distinct; 700 for (const EquivalenceSet &set : scope.equivalenceSets()) { 701 for (const EquivalenceObject &object : set) { 702 distinct.emplace(object.symbol); 703 } 704 } 705 // This set is ordered by ascending offsets, with ties broken by greatest 706 // size. A multiset is used here because multiple symbols may have the 707 // same offset and size; the symbols in the set, however, are distinct. 708 std::multiset<SymbolRef, SymbolOffsetCompare> associated; 709 for (SymbolRef ref : distinct) { 710 associated.emplace(*ref); 711 } 712 std::list<std::list<SymbolRef>> result; 713 std::size_t limit{0}; 714 const Symbol *currentCommon{nullptr}; 715 for (const Symbol &symbol : associated) { 716 const Symbol *thisCommon{FindCommonBlockContaining(symbol)}; 717 if (result.empty() || symbol.offset() >= limit || 718 thisCommon != currentCommon) { 719 // Start a new group 720 result.emplace_back(std::list<SymbolRef>{}); 721 limit = 0; 722 currentCommon = thisCommon; 723 } 724 result.back().emplace_back(symbol); 725 limit = std::max(limit, symbol.offset() + symbol.size()); 726 } 727 return result; 728 } 729 730 bool IsModuleProcedure(const Symbol &symbol) { 731 return ClassifyProcedure(symbol) == ProcedureDefinitionClass::Module; 732 } 733 const Symbol *IsExternalInPureContext( 734 const Symbol &symbol, const Scope &scope) { 735 if (const auto *pureProc{FindPureProcedureContaining(scope)}) { 736 return FindExternallyVisibleObject(symbol.GetUltimate(), *pureProc); 737 } 738 return nullptr; 739 } 740 741 PotentialComponentIterator::const_iterator FindPolymorphicPotentialComponent( 742 const DerivedTypeSpec &derived) { 743 PotentialComponentIterator potentials{derived}; 744 return std::find_if( 745 potentials.begin(), potentials.end(), [](const Symbol &component) { 746 if (const auto *details{component.detailsIf<ObjectEntityDetails>()}) { 747 const DeclTypeSpec *type{details->type()}; 748 return type && type->IsPolymorphic(); 749 } 750 return false; 751 }); 752 } 753 754 bool IsOrContainsPolymorphicComponent(const Symbol &original) { 755 const Symbol &symbol{ResolveAssociations(original)}; 756 if (const auto *details{symbol.detailsIf<ObjectEntityDetails>()}) { 757 if (const DeclTypeSpec * type{details->type()}) { 758 if (type->IsPolymorphic()) { 759 return true; 760 } 761 if (const DerivedTypeSpec * derived{type->AsDerived()}) { 762 return (bool)FindPolymorphicPotentialComponent(*derived); 763 } 764 } 765 } 766 return false; 767 } 768 769 bool InProtectedContext(const Symbol &symbol, const Scope ¤tScope) { 770 return IsProtected(symbol) && !IsHostAssociated(symbol, currentScope); 771 } 772 773 // C1101 and C1158 774 // Modifiability checks on the leftmost symbol ("base object") 775 // of a data-ref 776 static std::optional<parser::Message> WhyNotModifiableFirst( 777 parser::CharBlock at, const Symbol &symbol, const Scope &scope) { 778 if (const auto *assoc{symbol.detailsIf<AssocEntityDetails>()}) { 779 if (assoc->rank().has_value()) { 780 return std::nullopt; // SELECT RANK always modifiable variable 781 } else if (IsVariable(assoc->expr())) { 782 if (evaluate::HasVectorSubscript(assoc->expr().value())) { 783 return parser::Message{ 784 at, "Construct association has a vector subscript"_en_US}; 785 } else { 786 return WhyNotModifiable(at, *assoc->expr(), scope); 787 } 788 } else { 789 return parser::Message{at, 790 "'%s' is construct associated with an expression"_en_US, 791 symbol.name()}; 792 } 793 } else if (IsExternalInPureContext(symbol, scope)) { 794 return parser::Message{at, 795 "'%s' is externally visible and referenced in a pure" 796 " procedure"_en_US, 797 symbol.name()}; 798 } else if (!IsVariableName(symbol)) { 799 return parser::Message{at, "'%s' is not a variable"_en_US, symbol.name()}; 800 } else { 801 return std::nullopt; 802 } 803 } 804 805 // Modifiability checks on the rightmost symbol of a data-ref 806 static std::optional<parser::Message> WhyNotModifiableLast( 807 parser::CharBlock at, const Symbol &symbol, const Scope &scope) { 808 if (IsOrContainsEventOrLockComponent(symbol)) { 809 return parser::Message{at, 810 "'%s' is an entity with either an EVENT_TYPE or LOCK_TYPE"_en_US, 811 symbol.name()}; 812 } else { 813 return std::nullopt; 814 } 815 } 816 817 // Modifiability checks on the leftmost (base) symbol of a data-ref 818 // that apply only when there are no pointer components or a base 819 // that is a pointer. 820 static std::optional<parser::Message> WhyNotModifiableIfNoPtr( 821 parser::CharBlock at, const Symbol &symbol, const Scope &scope) { 822 if (InProtectedContext(symbol, scope)) { 823 return parser::Message{ 824 at, "'%s' is protected in this scope"_en_US, symbol.name()}; 825 } else if (IsIntentIn(symbol)) { 826 return parser::Message{ 827 at, "'%s' is an INTENT(IN) dummy argument"_en_US, symbol.name()}; 828 } else { 829 return std::nullopt; 830 } 831 } 832 833 // Apply all modifiability checks to a single symbol 834 std::optional<parser::Message> WhyNotModifiable( 835 const Symbol &original, const Scope &scope) { 836 const Symbol &symbol{GetAssociationRoot(original)}; 837 if (auto first{WhyNotModifiableFirst(symbol.name(), symbol, scope)}) { 838 return first; 839 } else if (auto last{WhyNotModifiableLast(symbol.name(), symbol, scope)}) { 840 return last; 841 } else if (!IsPointer(symbol)) { 842 return WhyNotModifiableIfNoPtr(symbol.name(), symbol, scope); 843 } else { 844 return std::nullopt; 845 } 846 } 847 848 // Modifiability checks for a data-ref 849 std::optional<parser::Message> WhyNotModifiable(parser::CharBlock at, 850 const SomeExpr &expr, const Scope &scope, bool vectorSubscriptIsOk) { 851 if (auto dataRef{evaluate::ExtractDataRef(expr, true)}) { 852 if (!vectorSubscriptIsOk && evaluate::HasVectorSubscript(expr)) { 853 return parser::Message{at, "Variable has a vector subscript"_en_US}; 854 } 855 const Symbol &first{GetAssociationRoot(dataRef->GetFirstSymbol())}; 856 if (auto maybeWhyFirst{WhyNotModifiableFirst(at, first, scope)}) { 857 return maybeWhyFirst; 858 } 859 const Symbol &last{dataRef->GetLastSymbol()}; 860 if (auto maybeWhyLast{WhyNotModifiableLast(at, last, scope)}) { 861 return maybeWhyLast; 862 } 863 if (!GetLastPointerSymbol(*dataRef)) { 864 if (auto maybeWhyFirst{WhyNotModifiableIfNoPtr(at, first, scope)}) { 865 return maybeWhyFirst; 866 } 867 } 868 } else if (!evaluate::IsVariable(expr)) { 869 return parser::Message{ 870 at, "'%s' is not a variable"_en_US, expr.AsFortran()}; 871 } else { 872 // reference to function returning POINTER 873 } 874 return std::nullopt; 875 } 876 877 class ImageControlStmtHelper { 878 using ImageControlStmts = 879 std::variant<parser::ChangeTeamConstruct, parser::CriticalConstruct, 880 parser::EventPostStmt, parser::EventWaitStmt, parser::FormTeamStmt, 881 parser::LockStmt, parser::SyncAllStmt, parser::SyncImagesStmt, 882 parser::SyncMemoryStmt, parser::SyncTeamStmt, parser::UnlockStmt>; 883 884 public: 885 template <typename T> bool operator()(const T &) { 886 return common::HasMember<T, ImageControlStmts>; 887 } 888 template <typename T> bool operator()(const common::Indirection<T> &x) { 889 return (*this)(x.value()); 890 } 891 bool operator()(const parser::AllocateStmt &stmt) { 892 const auto &allocationList{std::get<std::list<parser::Allocation>>(stmt.t)}; 893 for (const auto &allocation : allocationList) { 894 const auto &allocateObject{ 895 std::get<parser::AllocateObject>(allocation.t)}; 896 if (IsCoarrayObject(allocateObject)) { 897 return true; 898 } 899 } 900 return false; 901 } 902 bool operator()(const parser::DeallocateStmt &stmt) { 903 const auto &allocateObjectList{ 904 std::get<std::list<parser::AllocateObject>>(stmt.t)}; 905 for (const auto &allocateObject : allocateObjectList) { 906 if (IsCoarrayObject(allocateObject)) { 907 return true; 908 } 909 } 910 return false; 911 } 912 bool operator()(const parser::CallStmt &stmt) { 913 const auto &procedureDesignator{ 914 std::get<parser::ProcedureDesignator>(stmt.v.t)}; 915 if (auto *name{std::get_if<parser::Name>(&procedureDesignator.u)}) { 916 // TODO: also ensure that the procedure is, in fact, an intrinsic 917 if (name->source == "move_alloc") { 918 const auto &args{std::get<std::list<parser::ActualArgSpec>>(stmt.v.t)}; 919 if (!args.empty()) { 920 const parser::ActualArg &actualArg{ 921 std::get<parser::ActualArg>(args.front().t)}; 922 if (const auto *argExpr{ 923 std::get_if<common::Indirection<parser::Expr>>( 924 &actualArg.u)}) { 925 return HasCoarray(argExpr->value()); 926 } 927 } 928 } 929 } 930 return false; 931 } 932 bool operator()(const parser::StopStmt &stmt) { 933 // STOP is an image control statement; ERROR STOP is not 934 return std::get<parser::StopStmt::Kind>(stmt.t) == 935 parser::StopStmt::Kind::Stop; 936 } 937 bool operator()(const parser::Statement<parser::ActionStmt> &stmt) { 938 return common::visit(*this, stmt.statement.u); 939 } 940 941 private: 942 bool IsCoarrayObject(const parser::AllocateObject &allocateObject) { 943 const parser::Name &name{GetLastName(allocateObject)}; 944 return name.symbol && evaluate::IsCoarray(*name.symbol); 945 } 946 }; 947 948 bool IsImageControlStmt(const parser::ExecutableConstruct &construct) { 949 return common::visit(ImageControlStmtHelper{}, construct.u); 950 } 951 952 std::optional<parser::MessageFixedText> GetImageControlStmtCoarrayMsg( 953 const parser::ExecutableConstruct &construct) { 954 if (const auto *actionStmt{ 955 std::get_if<parser::Statement<parser::ActionStmt>>(&construct.u)}) { 956 return common::visit( 957 common::visitors{ 958 [](const common::Indirection<parser::AllocateStmt> &) 959 -> std::optional<parser::MessageFixedText> { 960 return "ALLOCATE of a coarray is an image control" 961 " statement"_en_US; 962 }, 963 [](const common::Indirection<parser::DeallocateStmt> &) 964 -> std::optional<parser::MessageFixedText> { 965 return "DEALLOCATE of a coarray is an image control" 966 " statement"_en_US; 967 }, 968 [](const common::Indirection<parser::CallStmt> &) 969 -> std::optional<parser::MessageFixedText> { 970 return "MOVE_ALLOC of a coarray is an image control" 971 " statement "_en_US; 972 }, 973 [](const auto &) -> std::optional<parser::MessageFixedText> { 974 return std::nullopt; 975 }, 976 }, 977 actionStmt->statement.u); 978 } 979 return std::nullopt; 980 } 981 982 parser::CharBlock GetImageControlStmtLocation( 983 const parser::ExecutableConstruct &executableConstruct) { 984 return common::visit( 985 common::visitors{ 986 [](const common::Indirection<parser::ChangeTeamConstruct> 987 &construct) { 988 return std::get<parser::Statement<parser::ChangeTeamStmt>>( 989 construct.value().t) 990 .source; 991 }, 992 [](const common::Indirection<parser::CriticalConstruct> &construct) { 993 return std::get<parser::Statement<parser::CriticalStmt>>( 994 construct.value().t) 995 .source; 996 }, 997 [](const parser::Statement<parser::ActionStmt> &actionStmt) { 998 return actionStmt.source; 999 }, 1000 [](const auto &) { return parser::CharBlock{}; }, 1001 }, 1002 executableConstruct.u); 1003 } 1004 1005 bool HasCoarray(const parser::Expr &expression) { 1006 if (const auto *expr{GetExpr(nullptr, expression)}) { 1007 for (const Symbol &symbol : evaluate::CollectSymbols(*expr)) { 1008 if (evaluate::IsCoarray(symbol)) { 1009 return true; 1010 } 1011 } 1012 } 1013 return false; 1014 } 1015 1016 bool IsPolymorphic(const Symbol &symbol) { 1017 if (const DeclTypeSpec * type{symbol.GetType()}) { 1018 return type->IsPolymorphic(); 1019 } 1020 return false; 1021 } 1022 1023 bool IsPolymorphicAllocatable(const Symbol &symbol) { 1024 return IsAllocatable(symbol) && IsPolymorphic(symbol); 1025 } 1026 1027 std::optional<parser::MessageFormattedText> CheckAccessibleComponent( 1028 const Scope &scope, const Symbol &symbol) { 1029 CHECK(symbol.owner().IsDerivedType()); // symbol must be a component 1030 if (symbol.attrs().test(Attr::PRIVATE)) { 1031 if (FindModuleFileContaining(scope)) { 1032 // Don't enforce component accessibility checks in module files; 1033 // there may be forward-substituted named constants of derived type 1034 // whose structure constructors reference private components. 1035 } else if (const Scope * 1036 moduleScope{FindModuleContaining(symbol.owner())}) { 1037 if (!moduleScope->Contains(scope)) { 1038 return parser::MessageFormattedText{ 1039 "PRIVATE component '%s' is only accessible within module '%s'"_err_en_US, 1040 symbol.name(), moduleScope->GetName().value()}; 1041 } 1042 } 1043 } 1044 return std::nullopt; 1045 } 1046 1047 std::list<SourceName> OrderParameterNames(const Symbol &typeSymbol) { 1048 std::list<SourceName> result; 1049 if (const DerivedTypeSpec * spec{typeSymbol.GetParentTypeSpec()}) { 1050 result = OrderParameterNames(spec->typeSymbol()); 1051 } 1052 const auto ¶mNames{typeSymbol.get<DerivedTypeDetails>().paramNames()}; 1053 result.insert(result.end(), paramNames.begin(), paramNames.end()); 1054 return result; 1055 } 1056 1057 SymbolVector OrderParameterDeclarations(const Symbol &typeSymbol) { 1058 SymbolVector result; 1059 if (const DerivedTypeSpec * spec{typeSymbol.GetParentTypeSpec()}) { 1060 result = OrderParameterDeclarations(spec->typeSymbol()); 1061 } 1062 const auto ¶mDecls{typeSymbol.get<DerivedTypeDetails>().paramDecls()}; 1063 result.insert(result.end(), paramDecls.begin(), paramDecls.end()); 1064 return result; 1065 } 1066 1067 const DeclTypeSpec &FindOrInstantiateDerivedType( 1068 Scope &scope, DerivedTypeSpec &&spec, DeclTypeSpec::Category category) { 1069 spec.EvaluateParameters(scope.context()); 1070 if (const DeclTypeSpec * 1071 type{scope.FindInstantiatedDerivedType(spec, category)}) { 1072 return *type; 1073 } 1074 // Create a new instantiation of this parameterized derived type 1075 // for this particular distinct set of actual parameter values. 1076 DeclTypeSpec &type{scope.MakeDerivedType(category, std::move(spec))}; 1077 type.derivedTypeSpec().Instantiate(scope); 1078 return type; 1079 } 1080 1081 const Symbol *FindSeparateModuleSubprogramInterface(const Symbol *proc) { 1082 if (proc) { 1083 if (const auto *subprogram{proc->detailsIf<SubprogramDetails>()}) { 1084 if (const Symbol * iface{subprogram->moduleInterface()}) { 1085 return iface; 1086 } 1087 } 1088 } 1089 return nullptr; 1090 } 1091 1092 ProcedureDefinitionClass ClassifyProcedure(const Symbol &symbol) { // 15.2.2 1093 const Symbol &ultimate{symbol.GetUltimate()}; 1094 if (ultimate.attrs().test(Attr::INTRINSIC)) { 1095 return ProcedureDefinitionClass::Intrinsic; 1096 } else if (ultimate.attrs().test(Attr::EXTERNAL)) { 1097 return ProcedureDefinitionClass::External; 1098 } else if (const auto *procDetails{ultimate.detailsIf<ProcEntityDetails>()}) { 1099 if (procDetails->isDummy()) { 1100 return ProcedureDefinitionClass::Dummy; 1101 } else if (IsPointer(ultimate)) { 1102 return ProcedureDefinitionClass::Pointer; 1103 } 1104 } else if (const Symbol * subp{FindSubprogram(symbol)}) { 1105 if (const auto *subpDetails{subp->detailsIf<SubprogramDetails>()}) { 1106 if (subpDetails->stmtFunction()) { 1107 return ProcedureDefinitionClass::StatementFunction; 1108 } 1109 } 1110 switch (ultimate.owner().kind()) { 1111 case Scope::Kind::Global: 1112 case Scope::Kind::IntrinsicModules: 1113 return ProcedureDefinitionClass::External; 1114 case Scope::Kind::Module: 1115 return ProcedureDefinitionClass::Module; 1116 case Scope::Kind::MainProgram: 1117 case Scope::Kind::Subprogram: 1118 return ProcedureDefinitionClass::Internal; 1119 default: 1120 break; 1121 } 1122 } 1123 return ProcedureDefinitionClass::None; 1124 } 1125 1126 // ComponentIterator implementation 1127 1128 template <ComponentKind componentKind> 1129 typename ComponentIterator<componentKind>::const_iterator 1130 ComponentIterator<componentKind>::const_iterator::Create( 1131 const DerivedTypeSpec &derived) { 1132 const_iterator it{}; 1133 it.componentPath_.emplace_back(derived); 1134 it.Increment(); // cue up first relevant component, if any 1135 return it; 1136 } 1137 1138 template <ComponentKind componentKind> 1139 const DerivedTypeSpec * 1140 ComponentIterator<componentKind>::const_iterator::PlanComponentTraversal( 1141 const Symbol &component) const { 1142 if (const auto *details{component.detailsIf<ObjectEntityDetails>()}) { 1143 if (const DeclTypeSpec * type{details->type()}) { 1144 if (const auto *derived{type->AsDerived()}) { 1145 bool traverse{false}; 1146 if constexpr (componentKind == ComponentKind::Ordered) { 1147 // Order Component (only visit parents) 1148 traverse = component.test(Symbol::Flag::ParentComp); 1149 } else if constexpr (componentKind == ComponentKind::Direct) { 1150 traverse = !IsAllocatableOrPointer(component); 1151 } else if constexpr (componentKind == ComponentKind::Ultimate) { 1152 traverse = !IsAllocatableOrPointer(component); 1153 } else if constexpr (componentKind == ComponentKind::Potential) { 1154 traverse = !IsPointer(component); 1155 } else if constexpr (componentKind == ComponentKind::Scope) { 1156 traverse = !IsAllocatableOrPointer(component); 1157 } 1158 if (traverse) { 1159 const Symbol &newTypeSymbol{derived->typeSymbol()}; 1160 // Avoid infinite loop if the type is already part of the types 1161 // being visited. It is possible to have "loops in type" because 1162 // C744 does not forbid to use not yet declared type for 1163 // ALLOCATABLE or POINTER components. 1164 for (const auto &node : componentPath_) { 1165 if (&newTypeSymbol == &node.GetTypeSymbol()) { 1166 return nullptr; 1167 } 1168 } 1169 return derived; 1170 } 1171 } 1172 } // intrinsic & unlimited polymorphic not traversable 1173 } 1174 return nullptr; 1175 } 1176 1177 template <ComponentKind componentKind> 1178 static bool StopAtComponentPre(const Symbol &component) { 1179 if constexpr (componentKind == ComponentKind::Ordered) { 1180 // Parent components need to be iterated upon after their 1181 // sub-components in structure constructor analysis. 1182 return !component.test(Symbol::Flag::ParentComp); 1183 } else if constexpr (componentKind == ComponentKind::Direct) { 1184 return true; 1185 } else if constexpr (componentKind == ComponentKind::Ultimate) { 1186 return component.has<ProcEntityDetails>() || 1187 IsAllocatableOrPointer(component) || 1188 (component.get<ObjectEntityDetails>().type() && 1189 component.get<ObjectEntityDetails>().type()->AsIntrinsic()); 1190 } else if constexpr (componentKind == ComponentKind::Potential) { 1191 return !IsPointer(component); 1192 } 1193 } 1194 1195 template <ComponentKind componentKind> 1196 static bool StopAtComponentPost(const Symbol &component) { 1197 return componentKind == ComponentKind::Ordered && 1198 component.test(Symbol::Flag::ParentComp); 1199 } 1200 1201 template <ComponentKind componentKind> 1202 void ComponentIterator<componentKind>::const_iterator::Increment() { 1203 while (!componentPath_.empty()) { 1204 ComponentPathNode &deepest{componentPath_.back()}; 1205 if (deepest.component()) { 1206 if (!deepest.descended()) { 1207 deepest.set_descended(true); 1208 if (const DerivedTypeSpec * 1209 derived{PlanComponentTraversal(*deepest.component())}) { 1210 componentPath_.emplace_back(*derived); 1211 continue; 1212 } 1213 } else if (!deepest.visited()) { 1214 deepest.set_visited(true); 1215 return; // this is the next component to visit, after descending 1216 } 1217 } 1218 auto &nameIterator{deepest.nameIterator()}; 1219 if (nameIterator == deepest.nameEnd()) { 1220 componentPath_.pop_back(); 1221 } else if constexpr (componentKind == ComponentKind::Scope) { 1222 deepest.set_component(*nameIterator++->second); 1223 deepest.set_descended(false); 1224 deepest.set_visited(true); 1225 return; // this is the next component to visit, before descending 1226 } else { 1227 const Scope &scope{deepest.GetScope()}; 1228 auto scopeIter{scope.find(*nameIterator++)}; 1229 if (scopeIter != scope.cend()) { 1230 const Symbol &component{*scopeIter->second}; 1231 deepest.set_component(component); 1232 deepest.set_descended(false); 1233 if (StopAtComponentPre<componentKind>(component)) { 1234 deepest.set_visited(true); 1235 return; // this is the next component to visit, before descending 1236 } else { 1237 deepest.set_visited(!StopAtComponentPost<componentKind>(component)); 1238 } 1239 } 1240 } 1241 } 1242 } 1243 1244 template <ComponentKind componentKind> 1245 std::string 1246 ComponentIterator<componentKind>::const_iterator::BuildResultDesignatorName() 1247 const { 1248 std::string designator{""}; 1249 for (const auto &node : componentPath_) { 1250 designator += "%" + DEREF(node.component()).name().ToString(); 1251 } 1252 return designator; 1253 } 1254 1255 template class ComponentIterator<ComponentKind::Ordered>; 1256 template class ComponentIterator<ComponentKind::Direct>; 1257 template class ComponentIterator<ComponentKind::Ultimate>; 1258 template class ComponentIterator<ComponentKind::Potential>; 1259 template class ComponentIterator<ComponentKind::Scope>; 1260 1261 UltimateComponentIterator::const_iterator FindCoarrayUltimateComponent( 1262 const DerivedTypeSpec &derived) { 1263 UltimateComponentIterator ultimates{derived}; 1264 return std::find_if(ultimates.begin(), ultimates.end(), 1265 [](const Symbol &symbol) { return evaluate::IsCoarray(symbol); }); 1266 } 1267 1268 UltimateComponentIterator::const_iterator FindPointerUltimateComponent( 1269 const DerivedTypeSpec &derived) { 1270 UltimateComponentIterator ultimates{derived}; 1271 return std::find_if(ultimates.begin(), ultimates.end(), IsPointer); 1272 } 1273 1274 PotentialComponentIterator::const_iterator FindEventOrLockPotentialComponent( 1275 const DerivedTypeSpec &derived) { 1276 PotentialComponentIterator potentials{derived}; 1277 return std::find_if( 1278 potentials.begin(), potentials.end(), [](const Symbol &component) { 1279 if (const auto *details{component.detailsIf<ObjectEntityDetails>()}) { 1280 const DeclTypeSpec *type{details->type()}; 1281 return type && IsEventTypeOrLockType(type->AsDerived()); 1282 } 1283 return false; 1284 }); 1285 } 1286 1287 UltimateComponentIterator::const_iterator FindAllocatableUltimateComponent( 1288 const DerivedTypeSpec &derived) { 1289 UltimateComponentIterator ultimates{derived}; 1290 return std::find_if(ultimates.begin(), ultimates.end(), IsAllocatable); 1291 } 1292 1293 DirectComponentIterator::const_iterator FindAllocatableOrPointerDirectComponent( 1294 const DerivedTypeSpec &derived) { 1295 DirectComponentIterator directs{derived}; 1296 return std::find_if(directs.begin(), directs.end(), IsAllocatableOrPointer); 1297 } 1298 1299 UltimateComponentIterator::const_iterator 1300 FindPolymorphicAllocatableUltimateComponent(const DerivedTypeSpec &derived) { 1301 UltimateComponentIterator ultimates{derived}; 1302 return std::find_if( 1303 ultimates.begin(), ultimates.end(), IsPolymorphicAllocatable); 1304 } 1305 1306 UltimateComponentIterator::const_iterator 1307 FindPolymorphicAllocatableNonCoarrayUltimateComponent( 1308 const DerivedTypeSpec &derived) { 1309 UltimateComponentIterator ultimates{derived}; 1310 return std::find_if(ultimates.begin(), ultimates.end(), [](const Symbol &x) { 1311 return IsPolymorphicAllocatable(x) && !evaluate::IsCoarray(x); 1312 }); 1313 } 1314 1315 const Symbol *FindUltimateComponent(const DerivedTypeSpec &derived, 1316 const std::function<bool(const Symbol &)> &predicate) { 1317 UltimateComponentIterator ultimates{derived}; 1318 if (auto it{std::find_if(ultimates.begin(), ultimates.end(), 1319 [&predicate](const Symbol &component) -> bool { 1320 return predicate(component); 1321 })}) { 1322 return &*it; 1323 } 1324 return nullptr; 1325 } 1326 1327 const Symbol *FindUltimateComponent(const Symbol &symbol, 1328 const std::function<bool(const Symbol &)> &predicate) { 1329 if (predicate(symbol)) { 1330 return &symbol; 1331 } else if (const auto *object{symbol.detailsIf<ObjectEntityDetails>()}) { 1332 if (const auto *type{object->type()}) { 1333 if (const auto *derived{type->AsDerived()}) { 1334 return FindUltimateComponent(*derived, predicate); 1335 } 1336 } 1337 } 1338 return nullptr; 1339 } 1340 1341 const Symbol *FindImmediateComponent(const DerivedTypeSpec &type, 1342 const std::function<bool(const Symbol &)> &predicate) { 1343 if (const Scope * scope{type.scope()}) { 1344 const Symbol *parent{nullptr}; 1345 for (const auto &pair : *scope) { 1346 const Symbol *symbol{&*pair.second}; 1347 if (predicate(*symbol)) { 1348 return symbol; 1349 } 1350 if (symbol->test(Symbol::Flag::ParentComp)) { 1351 parent = symbol; 1352 } 1353 } 1354 if (parent) { 1355 if (const auto *object{parent->detailsIf<ObjectEntityDetails>()}) { 1356 if (const auto *type{object->type()}) { 1357 if (const auto *derived{type->AsDerived()}) { 1358 return FindImmediateComponent(*derived, predicate); 1359 } 1360 } 1361 } 1362 } 1363 } 1364 return nullptr; 1365 } 1366 1367 const Symbol *IsFunctionResultWithSameNameAsFunction(const Symbol &symbol) { 1368 if (IsFunctionResult(symbol)) { 1369 if (const Symbol * function{symbol.owner().symbol()}) { 1370 if (symbol.name() == function->name()) { 1371 return function; 1372 } 1373 } 1374 // Check ENTRY result symbols too 1375 const Scope &outer{symbol.owner().parent()}; 1376 auto iter{outer.find(symbol.name())}; 1377 if (iter != outer.end()) { 1378 const Symbol &outerSym{*iter->second}; 1379 if (const auto *subp{outerSym.detailsIf<SubprogramDetails>()}) { 1380 if (subp->entryScope() == &symbol.owner() && 1381 symbol.name() == outerSym.name()) { 1382 return &outerSym; 1383 } 1384 } 1385 } 1386 } 1387 return nullptr; 1388 } 1389 1390 void LabelEnforce::Post(const parser::GotoStmt &gotoStmt) { 1391 checkLabelUse(gotoStmt.v); 1392 } 1393 void LabelEnforce::Post(const parser::ComputedGotoStmt &computedGotoStmt) { 1394 for (auto &i : std::get<std::list<parser::Label>>(computedGotoStmt.t)) { 1395 checkLabelUse(i); 1396 } 1397 } 1398 1399 void LabelEnforce::Post(const parser::ArithmeticIfStmt &arithmeticIfStmt) { 1400 checkLabelUse(std::get<1>(arithmeticIfStmt.t)); 1401 checkLabelUse(std::get<2>(arithmeticIfStmt.t)); 1402 checkLabelUse(std::get<3>(arithmeticIfStmt.t)); 1403 } 1404 1405 void LabelEnforce::Post(const parser::AssignStmt &assignStmt) { 1406 checkLabelUse(std::get<parser::Label>(assignStmt.t)); 1407 } 1408 1409 void LabelEnforce::Post(const parser::AssignedGotoStmt &assignedGotoStmt) { 1410 for (auto &i : std::get<std::list<parser::Label>>(assignedGotoStmt.t)) { 1411 checkLabelUse(i); 1412 } 1413 } 1414 1415 void LabelEnforce::Post(const parser::AltReturnSpec &altReturnSpec) { 1416 checkLabelUse(altReturnSpec.v); 1417 } 1418 1419 void LabelEnforce::Post(const parser::ErrLabel &errLabel) { 1420 checkLabelUse(errLabel.v); 1421 } 1422 void LabelEnforce::Post(const parser::EndLabel &endLabel) { 1423 checkLabelUse(endLabel.v); 1424 } 1425 void LabelEnforce::Post(const parser::EorLabel &eorLabel) { 1426 checkLabelUse(eorLabel.v); 1427 } 1428 1429 void LabelEnforce::checkLabelUse(const parser::Label &labelUsed) { 1430 if (labels_.find(labelUsed) == labels_.end()) { 1431 SayWithConstruct(context_, currentStatementSourcePosition_, 1432 parser::MessageFormattedText{ 1433 "Control flow escapes from %s"_err_en_US, construct_}, 1434 constructSourcePosition_); 1435 } 1436 } 1437 1438 parser::MessageFormattedText LabelEnforce::GetEnclosingConstructMsg() { 1439 return {"Enclosing %s statement"_en_US, construct_}; 1440 } 1441 1442 void LabelEnforce::SayWithConstruct(SemanticsContext &context, 1443 parser::CharBlock stmtLocation, parser::MessageFormattedText &&message, 1444 parser::CharBlock constructLocation) { 1445 context.Say(stmtLocation, message) 1446 .Attach(constructLocation, GetEnclosingConstructMsg()); 1447 } 1448 1449 bool HasAlternateReturns(const Symbol &subprogram) { 1450 for (const auto *dummyArg : subprogram.get<SubprogramDetails>().dummyArgs()) { 1451 if (!dummyArg) { 1452 return true; 1453 } 1454 } 1455 return false; 1456 } 1457 1458 bool InCommonBlock(const Symbol &symbol) { 1459 const auto *details{symbol.detailsIf<ObjectEntityDetails>()}; 1460 return details && details->commonBlock(); 1461 } 1462 1463 const std::optional<parser::Name> &MaybeGetNodeName( 1464 const ConstructNode &construct) { 1465 return common::visit( 1466 common::visitors{ 1467 [&](const parser::BlockConstruct *blockConstruct) 1468 -> const std::optional<parser::Name> & { 1469 return std::get<0>(blockConstruct->t).statement.v; 1470 }, 1471 [&](const auto *a) -> const std::optional<parser::Name> & { 1472 return std::get<0>(std::get<0>(a->t).statement.t); 1473 }, 1474 }, 1475 construct); 1476 } 1477 1478 std::optional<ArraySpec> ToArraySpec( 1479 evaluate::FoldingContext &context, const evaluate::Shape &shape) { 1480 if (auto extents{evaluate::AsConstantExtents(context, shape)}) { 1481 ArraySpec result; 1482 for (const auto &extent : *extents) { 1483 result.emplace_back(ShapeSpec::MakeExplicit(Bound{extent})); 1484 } 1485 return {std::move(result)}; 1486 } else { 1487 return std::nullopt; 1488 } 1489 } 1490 1491 std::optional<ArraySpec> ToArraySpec(evaluate::FoldingContext &context, 1492 const std::optional<evaluate::Shape> &shape) { 1493 return shape ? ToArraySpec(context, *shape) : std::nullopt; 1494 } 1495 1496 bool HasDefinedIo(GenericKind::DefinedIo which, const DerivedTypeSpec &derived, 1497 const Scope *scope) { 1498 if (const Scope * dtScope{derived.scope()}) { 1499 for (const auto &pair : *dtScope) { 1500 const Symbol &symbol{*pair.second}; 1501 if (const auto *generic{symbol.detailsIf<GenericDetails>()}) { 1502 GenericKind kind{generic->kind()}; 1503 if (const auto *io{std::get_if<GenericKind::DefinedIo>(&kind.u)}) { 1504 if (*io == which) { 1505 return true; // type-bound GENERIC exists 1506 } 1507 } 1508 } 1509 } 1510 } 1511 if (scope) { 1512 SourceName name{GenericKind::AsFortran(which)}; 1513 evaluate::DynamicType dyDerived{derived}; 1514 for (; scope && !scope->IsGlobal(); scope = &scope->parent()) { 1515 auto iter{scope->find(name)}; 1516 if (iter != scope->end()) { 1517 const auto &generic{iter->second->GetUltimate().get<GenericDetails>()}; 1518 for (auto ref : generic.specificProcs()) { 1519 const Symbol &procSym{ref->GetUltimate()}; 1520 if (const auto *subp{procSym.detailsIf<SubprogramDetails>()}) { 1521 if (!subp->dummyArgs().empty()) { 1522 if (const Symbol * first{subp->dummyArgs().at(0)}) { 1523 if (const DeclTypeSpec * dtSpec{first->GetType()}) { 1524 if (auto dyDummy{evaluate::DynamicType::From(*dtSpec)}) { 1525 if (dyDummy->IsTkCompatibleWith(dyDerived)) { 1526 return true; // GENERIC or INTERFACE not in type 1527 } 1528 } 1529 } 1530 } 1531 } 1532 } 1533 } 1534 } 1535 } 1536 } 1537 return false; 1538 } 1539 1540 const Symbol *FindUnsafeIoDirectComponent(GenericKind::DefinedIo which, 1541 const DerivedTypeSpec &derived, const Scope *scope) { 1542 if (HasDefinedIo(which, derived, scope)) { 1543 return nullptr; 1544 } 1545 if (const Scope * dtScope{derived.scope()}) { 1546 for (const auto &pair : *dtScope) { 1547 const Symbol &symbol{*pair.second}; 1548 if (IsAllocatableOrPointer(symbol)) { 1549 return &symbol; 1550 } 1551 if (const auto *details{symbol.detailsIf<ObjectEntityDetails>()}) { 1552 if (const DeclTypeSpec * type{details->type()}) { 1553 if (type->category() == DeclTypeSpec::Category::TypeDerived) { 1554 if (const Symbol * 1555 bad{FindUnsafeIoDirectComponent( 1556 which, type->derivedTypeSpec(), scope)}) { 1557 return bad; 1558 } 1559 } 1560 } 1561 } 1562 } 1563 } 1564 return nullptr; 1565 } 1566 1567 } // namespace Fortran::semantics 1568