1 /*
2 * Copyright (c) 1997, 2025, Oracle and/or its affiliates. All rights reserved.
3 * Copyright (c) 2024, Alibaba Group Holding Limited. All rights reserved.
4 * DO NOT ALTER OR REMOVE COPYRIGHT NOTICES OR THIS FILE HEADER.
5 *
6 * This code is free software; you can redistribute it and/or modify it
7 * under the terms of the GNU General Public License version 2 only, as
8 * published by the Free Software Foundation.
9 *
10 * This code is distributed in the hope that it will be useful, but WITHOUT
11 * ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or
12 * FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License
13 * version 2 for more details (a copy is included in the LICENSE file that
14 * accompanied this code).
15 *
16 * You should have received a copy of the GNU General Public License version
17 * 2 along with this work; if not, write to the Free Software Foundation,
18 * Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA.
19 *
20 * Please contact Oracle, 500 Oracle Parkway, Redwood Shores, CA 94065 USA
21 * or visit www.oracle.com if you need additional information or have any
22 * questions.
23 *
24 */
25
26 #include "classfile/javaClasses.hpp"
27 #include "compiler/compileLog.hpp"
28 #include "gc/shared/barrierSet.hpp"
29 #include "gc/shared/c2/barrierSetC2.hpp"
30 #include "gc/shared/tlab_globals.hpp"
31 #include "memory/allocation.inline.hpp"
32 #include "memory/resourceArea.hpp"
33 #include "oops/objArrayKlass.hpp"
34 #include "opto/addnode.hpp"
35 #include "opto/arraycopynode.hpp"
36 #include "opto/cfgnode.hpp"
37 #include "opto/compile.hpp"
38 #include "opto/connode.hpp"
39 #include "opto/convertnode.hpp"
40 #include "opto/loopnode.hpp"
41 #include "opto/machnode.hpp"
42 #include "opto/matcher.hpp"
43 #include "opto/memnode.hpp"
44 #include "opto/mempointer.hpp"
45 #include "opto/mulnode.hpp"
46 #include "opto/narrowptrnode.hpp"
47 #include "opto/phaseX.hpp"
48 #include "opto/regalloc.hpp"
49 #include "opto/regmask.hpp"
50 #include "opto/rootnode.hpp"
51 #include "opto/traceMergeStoresTag.hpp"
52 #include "opto/vectornode.hpp"
53 #include "utilities/align.hpp"
54 #include "utilities/copy.hpp"
55 #include "utilities/macros.hpp"
56 #include "utilities/powerOfTwo.hpp"
57 #include "utilities/vmError.hpp"
58
59 // Portions of code courtesy of Clifford Click
60
61 // Optimization - Graph Style
62
63 static Node *step_through_mergemem(PhaseGVN *phase, MergeMemNode *mmem, const TypePtr *tp, const TypePtr *adr_check, outputStream *st);
64
65 //=============================================================================
66 uint MemNode::size_of() const { return sizeof(*this); }
67
68 const TypePtr *MemNode::adr_type() const {
69 Node* adr = in(Address);
70 if (adr == nullptr) return nullptr; // node is dead
71 const TypePtr* cross_check = nullptr;
72 DEBUG_ONLY(cross_check = _adr_type);
73 return calculate_adr_type(adr->bottom_type(), cross_check);
74 }
75
76 bool MemNode::check_if_adr_maybe_raw(Node* adr) {
77 if (adr != nullptr) {
78 if (adr->bottom_type()->base() == Type::RawPtr || adr->bottom_type()->base() == Type::AnyPtr) {
79 return true;
80 }
81 }
82 return false;
83 }
84
85 #ifndef PRODUCT
86 void MemNode::dump_spec(outputStream *st) const {
87 if (in(Address) == nullptr) return; // node is dead
88 #ifndef ASSERT
89 // fake the missing field
90 const TypePtr* _adr_type = nullptr;
91 if (in(Address) != nullptr)
92 _adr_type = in(Address)->bottom_type()->isa_ptr();
93 #endif
94 dump_adr_type(_adr_type, st);
95
96 Compile* C = Compile::current();
97 if (C->alias_type(_adr_type)->is_volatile()) {
98 st->print(" Volatile!");
99 }
100 if (_unaligned_access) {
101 st->print(" unaligned");
102 }
103 if (_mismatched_access) {
104 st->print(" mismatched");
105 }
106 if (_unsafe_access) {
107 st->print(" unsafe");
108 }
109 }
110
111 void MemNode::dump_adr_type(const TypePtr* adr_type, outputStream* st) {
112 st->print(" @");
113 if (adr_type == nullptr) {
114 st->print("null");
115 } else {
116 adr_type->dump_on(st);
117 Compile* C = Compile::current();
118 Compile::AliasType* atp = nullptr;
119 if (C->have_alias_type(adr_type)) atp = C->alias_type(adr_type);
120 if (atp == nullptr)
121 st->print(", idx=?\?;");
122 else if (atp->index() == Compile::AliasIdxBot)
123 st->print(", idx=Bot;");
124 else if (atp->index() == Compile::AliasIdxTop)
125 st->print(", idx=Top;");
126 else if (atp->index() == Compile::AliasIdxRaw)
127 st->print(", idx=Raw;");
128 else {
129 ciField* field = atp->field();
130 if (field) {
131 st->print(", name=");
132 field->print_name_on(st);
133 }
134 st->print(", idx=%d;", atp->index());
135 }
136 }
137 }
138
139 extern void print_alias_types();
140
141 #endif
142
143 Node *MemNode::optimize_simple_memory_chain(Node *mchain, const TypeOopPtr *t_oop, Node *load, PhaseGVN *phase) {
144 assert((t_oop != nullptr), "sanity");
145 bool is_instance = t_oop->is_known_instance_field();
146 bool is_boxed_value_load = t_oop->is_ptr_to_boxed_value() &&
147 (load != nullptr) && load->is_Load() &&
148 (phase->is_IterGVN() != nullptr);
149 if (!(is_instance || is_boxed_value_load))
150 return mchain; // don't try to optimize non-instance types
151 uint instance_id = t_oop->instance_id();
152 Node *start_mem = phase->C->start()->proj_out_or_null(TypeFunc::Memory);
153 Node *prev = nullptr;
154 Node *result = mchain;
155 while (prev != result) {
156 prev = result;
157 if (result == start_mem)
158 break; // hit one of our sentinels
159 // skip over a call which does not affect this memory slice
160 if (result->is_Proj() && result->as_Proj()->_con == TypeFunc::Memory) {
161 Node *proj_in = result->in(0);
162 if (proj_in->is_Allocate() && proj_in->_idx == instance_id) {
163 break; // hit one of our sentinels
164 } else if (proj_in->is_Call()) {
165 // ArrayCopyNodes processed here as well
166 CallNode *call = proj_in->as_Call();
167 if (!call->may_modify(t_oop, phase)) { // returns false for instances
168 result = call->in(TypeFunc::Memory);
169 }
170 } else if (proj_in->is_Initialize()) {
171 AllocateNode* alloc = proj_in->as_Initialize()->allocation();
172 // Stop if this is the initialization for the object instance which
173 // contains this memory slice, otherwise skip over it.
174 if ((alloc == nullptr) || (alloc->_idx == instance_id)) {
175 break;
176 }
177 if (is_instance) {
178 result = proj_in->in(TypeFunc::Memory);
179 } else if (is_boxed_value_load) {
180 Node* klass = alloc->in(AllocateNode::KlassNode);
181 const TypeKlassPtr* tklass = phase->type(klass)->is_klassptr();
182 if (tklass->klass_is_exact() && !tklass->exact_klass()->equals(t_oop->is_instptr()->exact_klass())) {
183 result = proj_in->in(TypeFunc::Memory); // not related allocation
184 }
185 }
186 } else if (proj_in->is_MemBar()) {
187 ArrayCopyNode* ac = nullptr;
188 if (ArrayCopyNode::may_modify(t_oop, proj_in->as_MemBar(), phase, ac)) {
189 break;
190 }
191 result = proj_in->in(TypeFunc::Memory);
192 } else if (proj_in->is_top()) {
193 break; // dead code
194 } else {
195 assert(false, "unexpected projection");
196 }
197 } else if (result->is_ClearArray()) {
198 if (!is_instance || !ClearArrayNode::step_through(&result, instance_id, phase)) {
199 // Can not bypass initialization of the instance
200 // we are looking for.
201 break;
202 }
203 // Otherwise skip it (the call updated 'result' value).
204 } else if (result->is_MergeMem()) {
205 result = step_through_mergemem(phase, result->as_MergeMem(), t_oop, nullptr, tty);
206 }
207 }
208 return result;
209 }
210
211 Node *MemNode::optimize_memory_chain(Node *mchain, const TypePtr *t_adr, Node *load, PhaseGVN *phase) {
212 const TypeOopPtr* t_oop = t_adr->isa_oopptr();
213 if (t_oop == nullptr)
214 return mchain; // don't try to optimize non-oop types
215 Node* result = optimize_simple_memory_chain(mchain, t_oop, load, phase);
216 bool is_instance = t_oop->is_known_instance_field();
217 PhaseIterGVN *igvn = phase->is_IterGVN();
218 if (is_instance && igvn != nullptr && result->is_Phi()) {
219 PhiNode *mphi = result->as_Phi();
220 assert(mphi->bottom_type() == Type::MEMORY, "memory phi required");
221 const TypePtr *t = mphi->adr_type();
222 bool do_split = false;
223 // In the following cases, Load memory input can be further optimized based on
224 // its precise address type
225 if (t == TypePtr::BOTTOM || t == TypeRawPtr::BOTTOM ) {
226 do_split = true;
227 } else if (t->isa_oopptr() && !t->is_oopptr()->is_known_instance()) {
228 const TypeOopPtr* mem_t =
229 t->is_oopptr()->cast_to_exactness(true)
230 ->is_oopptr()->cast_to_ptr_type(t_oop->ptr())
231 ->is_oopptr()->cast_to_instance_id(t_oop->instance_id());
232 if (t_oop->isa_aryptr()) {
233 mem_t = mem_t->is_aryptr()
234 ->cast_to_stable(t_oop->is_aryptr()->is_stable())
235 ->cast_to_size(t_oop->is_aryptr()->size())
236 ->with_offset(t_oop->is_aryptr()->offset())
237 ->is_aryptr();
238 }
239 do_split = mem_t == t_oop;
240 }
241 if (do_split) {
242 // clone the Phi with our address type
243 result = mphi->split_out_instance(t_adr, igvn);
244 } else {
245 assert(phase->C->get_alias_index(t) == phase->C->get_alias_index(t_adr), "correct memory chain");
246 }
247 }
248 return result;
249 }
250
251 static Node *step_through_mergemem(PhaseGVN *phase, MergeMemNode *mmem, const TypePtr *tp, const TypePtr *adr_check, outputStream *st) {
252 uint alias_idx = phase->C->get_alias_index(tp);
253 Node *mem = mmem;
254 #ifdef ASSERT
255 {
256 // Check that current type is consistent with the alias index used during graph construction
257 assert(alias_idx >= Compile::AliasIdxRaw, "must not be a bad alias_idx");
258 bool consistent = adr_check == nullptr || adr_check->empty() ||
259 phase->C->must_alias(adr_check, alias_idx );
260 // Sometimes dead array references collapse to a[-1], a[-2], or a[-3]
261 if( !consistent && adr_check != nullptr && !adr_check->empty() &&
262 tp->isa_aryptr() && tp->offset() == Type::OffsetBot &&
263 adr_check->isa_aryptr() && adr_check->offset() != Type::OffsetBot &&
264 ( adr_check->offset() == arrayOopDesc::length_offset_in_bytes() ||
265 adr_check->offset() == oopDesc::klass_offset_in_bytes() ||
266 adr_check->offset() == oopDesc::mark_offset_in_bytes() ) ) {
267 // don't assert if it is dead code.
268 consistent = true;
269 }
270 if( !consistent ) {
271 st->print("alias_idx==%d, adr_check==", alias_idx);
272 if( adr_check == nullptr ) {
273 st->print("null");
274 } else {
275 adr_check->dump();
276 }
277 st->cr();
278 print_alias_types();
279 assert(consistent, "adr_check must match alias idx");
280 }
281 }
282 #endif
283 // TypeOopPtr::NOTNULL+any is an OOP with unknown offset - generally
284 // means an array I have not precisely typed yet. Do not do any
285 // alias stuff with it any time soon.
286 const TypeOopPtr *toop = tp->isa_oopptr();
287 if (tp->base() != Type::AnyPtr &&
288 !(toop &&
289 toop->isa_instptr() &&
290 toop->is_instptr()->instance_klass()->is_java_lang_Object() &&
291 toop->offset() == Type::OffsetBot)) {
292 // IGVN _delay_transform may be set to true and if that is the case and mmem
293 // is already a registered node then the validation inside transform will
294 // complain.
295 Node* m = mmem;
296 PhaseIterGVN* igvn = phase->is_IterGVN();
297 if (igvn == nullptr || !igvn->delay_transform()) {
298 // compress paths and change unreachable cycles to TOP
299 // If not, we can update the input infinitely along a MergeMem cycle
300 // Equivalent code in PhiNode::Ideal
301 m = phase->transform(mmem);
302 }
303 // If transformed to a MergeMem, get the desired slice
304 // Otherwise the returned node represents memory for every slice
305 mem = (m->is_MergeMem())? m->as_MergeMem()->memory_at(alias_idx) : m;
306 // Update input if it is progress over what we have now
307 }
308 return mem;
309 }
310
311 //--------------------------Ideal_common---------------------------------------
312 // Look for degenerate control and memory inputs. Bypass MergeMem inputs.
313 // Unhook non-raw memories from complete (macro-expanded) initializations.
314 Node *MemNode::Ideal_common(PhaseGVN *phase, bool can_reshape) {
315 // If our control input is a dead region, kill all below the region
316 Node *ctl = in(MemNode::Control);
317 if (ctl && remove_dead_region(phase, can_reshape))
318 return this;
319 ctl = in(MemNode::Control);
320 // Don't bother trying to transform a dead node
321 if (ctl && ctl->is_top()) return NodeSentinel;
322
323 PhaseIterGVN *igvn = phase->is_IterGVN();
324 // Wait if control on the worklist.
325 if (ctl && can_reshape && igvn != nullptr) {
326 Node* bol = nullptr;
327 Node* cmp = nullptr;
328 if (ctl->in(0)->is_If()) {
329 assert(ctl->is_IfTrue() || ctl->is_IfFalse(), "sanity");
330 bol = ctl->in(0)->in(1);
331 if (bol->is_Bool())
332 cmp = ctl->in(0)->in(1)->in(1);
333 }
334 if (igvn->_worklist.member(ctl) ||
335 (bol != nullptr && igvn->_worklist.member(bol)) ||
336 (cmp != nullptr && igvn->_worklist.member(cmp)) ) {
337 // This control path may be dead.
338 // Delay this memory node transformation until the control is processed.
339 igvn->_worklist.push(this);
340 return NodeSentinel; // caller will return null
341 }
342 }
343 // Ignore if memory is dead, or self-loop
344 Node *mem = in(MemNode::Memory);
345 if (phase->type( mem ) == Type::TOP) return NodeSentinel; // caller will return null
346 assert(mem != this, "dead loop in MemNode::Ideal");
347
348 if (can_reshape && igvn != nullptr && igvn->_worklist.member(mem)) {
349 // This memory slice may be dead.
350 // Delay this mem node transformation until the memory is processed.
351 igvn->_worklist.push(this);
352 return NodeSentinel; // caller will return null
353 }
354
355 Node *address = in(MemNode::Address);
356 const Type *t_adr = phase->type(address);
357 if (t_adr == Type::TOP) return NodeSentinel; // caller will return null
358
359 if (can_reshape && is_unsafe_access() && (t_adr == TypePtr::NULL_PTR)) {
360 // Unsafe off-heap access with zero address. Remove access and other control users
361 // to not confuse optimizations and add a HaltNode to fail if this is ever executed.
362 assert(ctl != nullptr, "unsafe accesses should be control dependent");
363 for (DUIterator_Fast imax, i = ctl->fast_outs(imax); i < imax; i++) {
364 Node* u = ctl->fast_out(i);
365 if (u != ctl) {
366 igvn->rehash_node_delayed(u);
367 int nb = u->replace_edge(ctl, phase->C->top(), igvn);
368 --i, imax -= nb;
369 }
370 }
371 Node* frame = igvn->transform(new ParmNode(phase->C->start(), TypeFunc::FramePtr));
372 Node* halt = igvn->transform(new HaltNode(ctl, frame, "unsafe off-heap access with zero address"));
373 phase->C->root()->add_req(halt);
374 return this;
375 }
376
377 if (can_reshape && igvn != nullptr &&
378 (igvn->_worklist.member(address) ||
379 (igvn->_worklist.size() > 0 && t_adr != adr_type())) ) {
380 // The address's base and type may change when the address is processed.
381 // Delay this mem node transformation until the address is processed.
382 igvn->_worklist.push(this);
383 return NodeSentinel; // caller will return null
384 }
385
386 // Do NOT remove or optimize the next lines: ensure a new alias index
387 // is allocated for an oop pointer type before Escape Analysis.
388 // Note: C++ will not remove it since the call has side effect.
389 if (t_adr->isa_oopptr()) {
390 int alias_idx = phase->C->get_alias_index(t_adr->is_ptr());
391 }
392
393 Node* base = nullptr;
394 if (address->is_AddP()) {
395 base = address->in(AddPNode::Base);
396 }
397 if (base != nullptr && phase->type(base)->higher_equal(TypePtr::NULL_PTR) &&
398 !t_adr->isa_rawptr()) {
399 // Note: raw address has TOP base and top->higher_equal(TypePtr::NULL_PTR) is true.
400 // Skip this node optimization if its address has TOP base.
401 return NodeSentinel; // caller will return null
402 }
403
404 // Avoid independent memory operations
405 Node* old_mem = mem;
406
407 // The code which unhooks non-raw memories from complete (macro-expanded)
408 // initializations was removed. After macro-expansion all stores caught
409 // by Initialize node became raw stores and there is no information
410 // which memory slices they modify. So it is unsafe to move any memory
411 // operation above these stores. Also in most cases hooked non-raw memories
412 // were already unhooked by using information from detect_ptr_independence()
413 // and find_previous_store().
414
415 if (mem->is_MergeMem()) {
416 MergeMemNode* mmem = mem->as_MergeMem();
417 const TypePtr *tp = t_adr->is_ptr();
418
419 mem = step_through_mergemem(phase, mmem, tp, adr_type(), tty);
420 }
421
422 if (mem != old_mem) {
423 set_req_X(MemNode::Memory, mem, phase);
424 if (phase->type(mem) == Type::TOP) return NodeSentinel;
425 return this;
426 }
427
428 // let the subclass continue analyzing...
429 return nullptr;
430 }
431
432 // Helper function for proving some simple control dominations.
433 // Attempt to prove that all control inputs of 'dom' dominate 'sub'.
434 // Already assumes that 'dom' is available at 'sub', and that 'sub'
435 // is not a constant (dominated by the method's StartNode).
436 // Used by MemNode::find_previous_store to prove that the
437 // control input of a memory operation predates (dominates)
438 // an allocation it wants to look past.
439 // Returns 'DomResult::Dominate' if all control inputs of 'dom'
440 // dominate 'sub', 'DomResult::NotDominate' if not,
441 // and 'DomResult::EncounteredDeadCode' if we can't decide due to
442 // dead code, but at the end of IGVN, we know the definite result
443 // once the dead code is cleaned up.
444 Node::DomResult MemNode::maybe_all_controls_dominate(Node* dom, Node* sub) {
445 if (dom == nullptr || dom->is_top() || sub == nullptr || sub->is_top()) {
446 return DomResult::EncounteredDeadCode; // Conservative answer for dead code
447 }
448
449 // Check 'dom'. Skip Proj and CatchProj nodes.
450 dom = dom->find_exact_control(dom);
451 if (dom == nullptr || dom->is_top()) {
452 return DomResult::EncounteredDeadCode; // Conservative answer for dead code
453 }
454
455 if (dom == sub) {
456 // For the case when, for example, 'sub' is Initialize and the original
457 // 'dom' is Proj node of the 'sub'.
458 return DomResult::NotDominate;
459 }
460
461 if (dom->is_Con() || dom->is_Start() || dom->is_Root() || dom == sub) {
462 return DomResult::Dominate;
463 }
464
465 // 'dom' dominates 'sub' if its control edge and control edges
466 // of all its inputs dominate or equal to sub's control edge.
467
468 // Currently 'sub' is either Allocate, Initialize or Start nodes.
469 // Or Region for the check in LoadNode::Ideal();
470 // 'sub' should have sub->in(0) != nullptr.
471 assert(sub->is_Allocate() || sub->is_Initialize() || sub->is_Start() ||
472 sub->is_Region() || sub->is_Call(), "expecting only these nodes");
473
474 // Get control edge of 'sub'.
475 Node* orig_sub = sub;
476 sub = sub->find_exact_control(sub->in(0));
477 if (sub == nullptr || sub->is_top()) {
478 return DomResult::EncounteredDeadCode; // Conservative answer for dead code
479 }
480
481 assert(sub->is_CFG(), "expecting control");
482
483 if (sub == dom) {
484 return DomResult::Dominate;
485 }
486
487 if (sub->is_Start() || sub->is_Root()) {
488 return DomResult::NotDominate;
489 }
490
491 {
492 // Check all control edges of 'dom'.
493
494 ResourceMark rm;
495 Node_List nlist;
496 Unique_Node_List dom_list;
497
498 dom_list.push(dom);
499 bool only_dominating_controls = false;
500
501 for (uint next = 0; next < dom_list.size(); next++) {
502 Node* n = dom_list.at(next);
503 if (n == orig_sub) {
504 return DomResult::NotDominate; // One of dom's inputs dominated by sub.
505 }
506 if (!n->is_CFG() && n->pinned()) {
507 // Check only own control edge for pinned non-control nodes.
508 n = n->find_exact_control(n->in(0));
509 if (n == nullptr || n->is_top()) {
510 return DomResult::EncounteredDeadCode; // Conservative answer for dead code
511 }
512 assert(n->is_CFG(), "expecting control");
513 dom_list.push(n);
514 } else if (n->is_Con() || n->is_Start() || n->is_Root()) {
515 only_dominating_controls = true;
516 } else if (n->is_CFG()) {
517 DomResult dom_result = n->dominates(sub, nlist);
518 if (dom_result == DomResult::Dominate) {
519 only_dominating_controls = true;
520 } else {
521 return dom_result;
522 }
523 } else {
524 // First, own control edge.
525 Node* m = n->find_exact_control(n->in(0));
526 if (m != nullptr) {
527 if (m->is_top()) {
528 return DomResult::EncounteredDeadCode; // Conservative answer for dead code
529 }
530 dom_list.push(m);
531 }
532 // Now, the rest of edges.
533 uint cnt = n->req();
534 for (uint i = 1; i < cnt; i++) {
535 m = n->find_exact_control(n->in(i));
536 if (m == nullptr || m->is_top()) {
537 continue;
538 }
539 dom_list.push(m);
540 }
541 }
542 }
543 return only_dominating_controls ? DomResult::Dominate : DomResult::NotDominate;
544 }
545 }
546
547 //---------------------detect_ptr_independence---------------------------------
548 // Used by MemNode::find_previous_store to prove that two base
549 // pointers are never equal.
550 // The pointers are accompanied by their associated allocations,
551 // if any, which have been previously discovered by the caller.
552 bool MemNode::detect_ptr_independence(Node* p1, AllocateNode* a1,
553 Node* p2, AllocateNode* a2,
554 PhaseTransform* phase) {
555 // Attempt to prove that these two pointers cannot be aliased.
556 // They may both manifestly be allocations, and they should differ.
557 // Or, if they are not both allocations, they can be distinct constants.
558 // Otherwise, one is an allocation and the other a pre-existing value.
559 if (a1 == nullptr && a2 == nullptr) { // neither an allocation
560 return (p1 != p2) && p1->is_Con() && p2->is_Con();
561 } else if (a1 != nullptr && a2 != nullptr) { // both allocations
562 return (a1 != a2);
563 } else if (a1 != nullptr) { // one allocation a1
564 // (Note: p2->is_Con implies p2->in(0)->is_Root, which dominates.)
565 return all_controls_dominate(p2, a1);
566 } else { //(a2 != null) // one allocation a2
567 return all_controls_dominate(p1, a2);
568 }
569 return false;
570 }
571
572
573 // Find an arraycopy ac that produces the memory state represented by parameter mem.
574 // Return ac if
575 // (a) can_see_stored_value=true and ac must have set the value for this load or if
576 // (b) can_see_stored_value=false and ac could have set the value for this load or if
577 // (c) can_see_stored_value=false and ac cannot have set the value for this load.
578 // In case (c) change the parameter mem to the memory input of ac to skip it
579 // when searching stored value.
580 // Otherwise return null.
581 Node* LoadNode::find_previous_arraycopy(PhaseValues* phase, Node* ld_alloc, Node*& mem, bool can_see_stored_value) const {
582 ArrayCopyNode* ac = find_array_copy_clone(ld_alloc, mem);
583 if (ac != nullptr) {
584 Node* ld_addp = in(MemNode::Address);
585 Node* src = ac->in(ArrayCopyNode::Src);
586 const TypeAryPtr* ary_t = phase->type(src)->isa_aryptr();
587
588 // This is a load from a cloned array. The corresponding arraycopy ac must
589 // have set the value for the load and we can return ac but only if the load
590 // is known to be within bounds. This is checked below.
591 if (ary_t != nullptr && ld_addp->is_AddP()) {
592 Node* ld_offs = ld_addp->in(AddPNode::Offset);
593 BasicType ary_elem = ary_t->elem()->array_element_basic_type();
594 jlong header = arrayOopDesc::base_offset_in_bytes(ary_elem);
595 jlong elemsize = type2aelembytes(ary_elem);
596
597 const TypeX* ld_offs_t = phase->type(ld_offs)->isa_intptr_t();
598 const TypeInt* sizetype = ary_t->size();
599
600 if (ld_offs_t->_lo >= header && ld_offs_t->_hi < (sizetype->_lo * elemsize + header)) {
601 // The load is known to be within bounds. It receives its value from ac.
602 return ac;
603 }
604 // The load is known to be out-of-bounds.
605 }
606 // The load could be out-of-bounds. It must not be hoisted but must remain
607 // dependent on the runtime range check. This is achieved by returning null.
608 } else if (mem->is_Proj() && mem->in(0) != nullptr && mem->in(0)->is_ArrayCopy()) {
609 ArrayCopyNode* ac = mem->in(0)->as_ArrayCopy();
610
611 if (ac->is_arraycopy_validated() ||
612 ac->is_copyof_validated() ||
613 ac->is_copyofrange_validated()) {
614 Node* ld_addp = in(MemNode::Address);
615 if (ld_addp->is_AddP()) {
616 Node* ld_base = ld_addp->in(AddPNode::Address);
617 Node* ld_offs = ld_addp->in(AddPNode::Offset);
618
619 Node* dest = ac->in(ArrayCopyNode::Dest);
620
621 if (dest == ld_base) {
622 const TypeX* ld_offs_t = phase->type(ld_offs)->isa_intptr_t();
623 assert(!ld_offs_t->empty(), "dead reference should be checked already");
624 // Take into account vector or unsafe access size
625 jlong ld_size_in_bytes = (jlong)memory_size();
626 jlong offset_hi = ld_offs_t->_hi + ld_size_in_bytes - 1;
627 offset_hi = MIN2(offset_hi, (jlong)(TypeX::MAX->_hi)); // Take care for overflow in 32-bit VM
628 if (ac->modifies(ld_offs_t->_lo, (intptr_t)offset_hi, phase, can_see_stored_value)) {
629 return ac;
630 }
631 if (!can_see_stored_value) {
632 mem = ac->in(TypeFunc::Memory);
633 return ac;
634 }
635 }
636 }
637 }
638 }
639 return nullptr;
640 }
641
642 ArrayCopyNode* MemNode::find_array_copy_clone(Node* ld_alloc, Node* mem) const {
643 if (mem->is_Proj() && mem->in(0) != nullptr && (mem->in(0)->Opcode() == Op_MemBarStoreStore ||
644 mem->in(0)->Opcode() == Op_MemBarCPUOrder)) {
645 if (ld_alloc != nullptr) {
646 // Check if there is an array copy for a clone
647 Node* mb = mem->in(0);
648 ArrayCopyNode* ac = nullptr;
649 if (mb->in(0) != nullptr && mb->in(0)->is_Proj() &&
650 mb->in(0)->in(0) != nullptr && mb->in(0)->in(0)->is_ArrayCopy()) {
651 ac = mb->in(0)->in(0)->as_ArrayCopy();
652 } else {
653 // Step over GC barrier when ReduceInitialCardMarks is disabled
654 BarrierSetC2* bs = BarrierSet::barrier_set()->barrier_set_c2();
655 Node* control_proj_ac = bs->step_over_gc_barrier(mb->in(0));
656
657 if (control_proj_ac->is_Proj() && control_proj_ac->in(0)->is_ArrayCopy()) {
658 ac = control_proj_ac->in(0)->as_ArrayCopy();
659 }
660 }
661
662 if (ac != nullptr && ac->is_clonebasic()) {
663 AllocateNode* alloc = AllocateNode::Ideal_allocation(ac->in(ArrayCopyNode::Dest));
664 if (alloc != nullptr && alloc == ld_alloc) {
665 return ac;
666 }
667 }
668 }
669 }
670 return nullptr;
671 }
672
673 // The logic for reordering loads and stores uses four steps:
674 // (a) Walk carefully past stores and initializations which we
675 // can prove are independent of this load.
676 // (b) Observe that the next memory state makes an exact match
677 // with self (load or store), and locate the relevant store.
678 // (c) Ensure that, if we were to wire self directly to the store,
679 // the optimizer would fold it up somehow.
680 // (d) Do the rewiring, and return, depending on some other part of
681 // the optimizer to fold up the load.
682 // This routine handles steps (a) and (b). Steps (c) and (d) are
683 // specific to loads and stores, so they are handled by the callers.
684 // (Currently, only LoadNode::Ideal has steps (c), (d). More later.)
685 //
686 Node* MemNode::find_previous_store(PhaseValues* phase) {
687 Node* ctrl = in(MemNode::Control);
688 Node* adr = in(MemNode::Address);
689 intptr_t offset = 0;
690 Node* base = AddPNode::Ideal_base_and_offset(adr, phase, offset);
691 AllocateNode* alloc = AllocateNode::Ideal_allocation(base);
692
693 if (offset == Type::OffsetBot)
694 return nullptr; // cannot unalias unless there are precise offsets
695
696 const bool adr_maybe_raw = check_if_adr_maybe_raw(adr);
697 const TypeOopPtr *addr_t = adr->bottom_type()->isa_oopptr();
698
699 intptr_t size_in_bytes = memory_size();
700
701 Node* mem = in(MemNode::Memory); // start searching here...
702
703 int cnt = 50; // Cycle limiter
704 for (;;) { // While we can dance past unrelated stores...
705 if (--cnt < 0) break; // Caught in cycle or a complicated dance?
706
707 Node* prev = mem;
708 if (mem->is_Store()) {
709 Node* st_adr = mem->in(MemNode::Address);
710 intptr_t st_offset = 0;
711 Node* st_base = AddPNode::Ideal_base_and_offset(st_adr, phase, st_offset);
712 if (st_base == nullptr)
713 break; // inscrutable pointer
714
715 // For raw accesses it's not enough to prove that constant offsets don't intersect.
716 // We need the bases to be the equal in order for the offset check to make sense.
717 if ((adr_maybe_raw || check_if_adr_maybe_raw(st_adr)) && st_base != base) {
718 break;
719 }
720
721 if (st_offset != offset && st_offset != Type::OffsetBot) {
722 const int MAX_STORE = MAX2(BytesPerLong, (int)MaxVectorSize);
723 assert(mem->as_Store()->memory_size() <= MAX_STORE, "");
724 if (st_offset >= offset + size_in_bytes ||
725 st_offset <= offset - MAX_STORE ||
726 st_offset <= offset - mem->as_Store()->memory_size()) {
727 // Success: The offsets are provably independent.
728 // (You may ask, why not just test st_offset != offset and be done?
729 // The answer is that stores of different sizes can co-exist
730 // in the same sequence of RawMem effects. We sometimes initialize
731 // a whole 'tile' of array elements with a single jint or jlong.)
732 mem = mem->in(MemNode::Memory);
733 continue; // (a) advance through independent store memory
734 }
735 }
736 if (st_base != base &&
737 detect_ptr_independence(base, alloc,
738 st_base,
739 AllocateNode::Ideal_allocation(st_base),
740 phase)) {
741 // Success: The bases are provably independent.
742 mem = mem->in(MemNode::Memory);
743 continue; // (a) advance through independent store memory
744 }
745
746 // (b) At this point, if the bases or offsets do not agree, we lose,
747 // since we have not managed to prove 'this' and 'mem' independent.
748 if (st_base == base && st_offset == offset) {
749 return mem; // let caller handle steps (c), (d)
750 }
751
752 } else if (mem->is_Proj() && mem->in(0)->is_Initialize()) {
753 InitializeNode* st_init = mem->in(0)->as_Initialize();
754 AllocateNode* st_alloc = st_init->allocation();
755 if (st_alloc == nullptr) {
756 break; // something degenerated
757 }
758 bool known_identical = false;
759 bool known_independent = false;
760 if (alloc == st_alloc) {
761 known_identical = true;
762 } else if (alloc != nullptr) {
763 known_independent = true;
764 } else if (all_controls_dominate(this, st_alloc)) {
765 known_independent = true;
766 }
767
768 if (known_independent) {
769 // The bases are provably independent: Either they are
770 // manifestly distinct allocations, or else the control
771 // of this load dominates the store's allocation.
772 int alias_idx = phase->C->get_alias_index(adr_type());
773 if (alias_idx == Compile::AliasIdxRaw) {
774 mem = st_alloc->in(TypeFunc::Memory);
775 } else {
776 mem = st_init->memory(alias_idx);
777 }
778 continue; // (a) advance through independent store memory
779 }
780
781 // (b) at this point, if we are not looking at a store initializing
782 // the same allocation we are loading from, we lose.
783 if (known_identical) {
784 // From caller, can_see_stored_value will consult find_captured_store.
785 return mem; // let caller handle steps (c), (d)
786 }
787
788 } else if (find_previous_arraycopy(phase, alloc, mem, false) != nullptr) {
789 if (prev != mem) {
790 // Found an arraycopy but it doesn't affect that load
791 continue;
792 }
793 // Found an arraycopy that may affect that load
794 return mem;
795 } else if (addr_t != nullptr && addr_t->is_known_instance_field()) {
796 // Can't use optimize_simple_memory_chain() since it needs PhaseGVN.
797 if (mem->is_Proj() && mem->in(0)->is_Call()) {
798 // ArrayCopyNodes processed here as well.
799 CallNode *call = mem->in(0)->as_Call();
800 if (!call->may_modify(addr_t, phase)) {
801 mem = call->in(TypeFunc::Memory);
802 continue; // (a) advance through independent call memory
803 }
804 } else if (mem->is_Proj() && mem->in(0)->is_MemBar()) {
805 ArrayCopyNode* ac = nullptr;
806 if (ArrayCopyNode::may_modify(addr_t, mem->in(0)->as_MemBar(), phase, ac)) {
807 break;
808 }
809 mem = mem->in(0)->in(TypeFunc::Memory);
810 continue; // (a) advance through independent MemBar memory
811 } else if (mem->is_ClearArray()) {
812 if (ClearArrayNode::step_through(&mem, (uint)addr_t->instance_id(), phase)) {
813 // (the call updated 'mem' value)
814 continue; // (a) advance through independent allocation memory
815 } else {
816 // Can not bypass initialization of the instance
817 // we are looking for.
818 return mem;
819 }
820 } else if (mem->is_MergeMem()) {
821 int alias_idx = phase->C->get_alias_index(adr_type());
822 mem = mem->as_MergeMem()->memory_at(alias_idx);
823 continue; // (a) advance through independent MergeMem memory
824 }
825 }
826
827 // Unless there is an explicit 'continue', we must bail out here,
828 // because 'mem' is an inscrutable memory state (e.g., a call).
829 break;
830 }
831
832 return nullptr; // bail out
833 }
834
835 //----------------------calculate_adr_type-------------------------------------
836 // Helper function. Notices when the given type of address hits top or bottom.
837 // Also, asserts a cross-check of the type against the expected address type.
838 const TypePtr* MemNode::calculate_adr_type(const Type* t, const TypePtr* cross_check) {
839 if (t == Type::TOP) return nullptr; // does not touch memory any more?
840 #ifdef ASSERT
841 if (!VerifyAliases || VMError::is_error_reported() || Node::in_dump()) cross_check = nullptr;
842 #endif
843 const TypePtr* tp = t->isa_ptr();
844 if (tp == nullptr) {
845 assert(cross_check == nullptr || cross_check == TypePtr::BOTTOM, "expected memory type must be wide");
846 return TypePtr::BOTTOM; // touches lots of memory
847 } else {
848 #ifdef ASSERT
849 // %%%% [phh] We don't check the alias index if cross_check is
850 // TypeRawPtr::BOTTOM. Needs to be investigated.
851 if (cross_check != nullptr &&
852 cross_check != TypePtr::BOTTOM &&
853 cross_check != TypeRawPtr::BOTTOM) {
854 // Recheck the alias index, to see if it has changed (due to a bug).
855 Compile* C = Compile::current();
856 assert(C->get_alias_index(cross_check) == C->get_alias_index(tp),
857 "must stay in the original alias category");
858 // The type of the address must be contained in the adr_type,
859 // disregarding "null"-ness.
860 // (We make an exception for TypeRawPtr::BOTTOM, which is a bit bucket.)
861 const TypePtr* tp_notnull = tp->join(TypePtr::NOTNULL)->is_ptr();
862 assert(cross_check->meet(tp_notnull) == cross_check->remove_speculative(),
863 "real address must not escape from expected memory type");
864 }
865 #endif
866 return tp;
867 }
868 }
869
870 uint8_t MemNode::barrier_data(const Node* n) {
871 if (n->is_LoadStore()) {
872 return n->as_LoadStore()->barrier_data();
873 } else if (n->is_Mem()) {
874 return n->as_Mem()->barrier_data();
875 }
876 return 0;
877 }
878
879 //=============================================================================
880 // Should LoadNode::Ideal() attempt to remove control edges?
881 bool LoadNode::can_remove_control() const {
882 return !has_pinned_control_dependency();
883 }
884 uint LoadNode::size_of() const { return sizeof(*this); }
885 bool LoadNode::cmp(const Node &n) const {
886 LoadNode& load = (LoadNode &)n;
887 return Type::equals(_type, load._type) &&
888 _control_dependency == load._control_dependency &&
889 _mo == load._mo;
890 }
891 const Type *LoadNode::bottom_type() const { return _type; }
892 uint LoadNode::ideal_reg() const {
893 return _type->ideal_reg();
894 }
895
896 #ifndef PRODUCT
897 void LoadNode::dump_spec(outputStream *st) const {
898 MemNode::dump_spec(st);
899 if( !Verbose && !WizardMode ) {
900 // standard dump does this in Verbose and WizardMode
901 st->print(" #"); _type->dump_on(st);
902 }
903 if (!depends_only_on_test()) {
904 st->print(" (does not depend only on test, ");
905 if (control_dependency() == UnknownControl) {
906 st->print("unknown control");
907 } else if (control_dependency() == Pinned) {
908 st->print("pinned");
909 } else if (adr_type() == TypeRawPtr::BOTTOM) {
910 st->print("raw access");
911 } else {
912 st->print("unknown reason");
913 }
914 st->print(")");
915 }
916 }
917 #endif
918
919 #ifdef ASSERT
920 //----------------------------is_immutable_value-------------------------------
921 // Helper function to allow a raw load without control edge for some cases
922 bool LoadNode::is_immutable_value(Node* adr) {
923 if (adr->is_AddP() && adr->in(AddPNode::Base)->is_top() &&
924 adr->in(AddPNode::Address)->Opcode() == Op_ThreadLocal) {
925
926 jlong offset = adr->in(AddPNode::Offset)->find_intptr_t_con(-1);
927 int offsets[] = {
928 in_bytes(JavaThread::osthread_offset()),
929 in_bytes(JavaThread::threadObj_offset()),
930 in_bytes(JavaThread::vthread_offset()),
931 in_bytes(JavaThread::scopedValueCache_offset()),
932 };
933
934 for (size_t i = 0; i < sizeof offsets / sizeof offsets[0]; i++) {
935 if (offset == offsets[i]) {
936 return true;
937 }
938 }
939 }
940
941 return false;
942 }
943 #endif
944
945 //----------------------------LoadNode::make-----------------------------------
946 // Polymorphic factory method:
947 Node* LoadNode::make(PhaseGVN& gvn, Node* ctl, Node* mem, Node* adr, const TypePtr* adr_type, const Type* rt, BasicType bt, MemOrd mo,
948 ControlDependency control_dependency, bool require_atomic_access, bool unaligned, bool mismatched, bool unsafe, uint8_t barrier_data) {
949 Compile* C = gvn.C;
950
951 // sanity check the alias category against the created node type
952 assert(!(adr_type->isa_oopptr() &&
953 adr_type->offset() == oopDesc::klass_offset_in_bytes()),
954 "use LoadKlassNode instead");
955 assert(!(adr_type->isa_aryptr() &&
956 adr_type->offset() == arrayOopDesc::length_offset_in_bytes()),
957 "use LoadRangeNode instead");
958 // Check control edge of raw loads
959 assert( ctl != nullptr || C->get_alias_index(adr_type) != Compile::AliasIdxRaw ||
960 // oop will be recorded in oop map if load crosses safepoint
961 rt->isa_oopptr() || is_immutable_value(adr),
962 "raw memory operations should have control edge");
963 LoadNode* load = nullptr;
964 switch (bt) {
965 case T_BOOLEAN: load = new LoadUBNode(ctl, mem, adr, adr_type, rt->is_int(), mo, control_dependency); break;
966 case T_BYTE: load = new LoadBNode (ctl, mem, adr, adr_type, rt->is_int(), mo, control_dependency); break;
967 case T_INT: load = new LoadINode (ctl, mem, adr, adr_type, rt->is_int(), mo, control_dependency); break;
968 case T_CHAR: load = new LoadUSNode(ctl, mem, adr, adr_type, rt->is_int(), mo, control_dependency); break;
969 case T_SHORT: load = new LoadSNode (ctl, mem, adr, adr_type, rt->is_int(), mo, control_dependency); break;
970 case T_LONG: load = new LoadLNode (ctl, mem, adr, adr_type, rt->is_long(), mo, control_dependency, require_atomic_access); break;
971 case T_FLOAT: load = new LoadFNode (ctl, mem, adr, adr_type, rt, mo, control_dependency); break;
972 case T_DOUBLE: load = new LoadDNode (ctl, mem, adr, adr_type, rt, mo, control_dependency, require_atomic_access); break;
973 case T_ADDRESS: load = new LoadPNode (ctl, mem, adr, adr_type, rt->is_ptr(), mo, control_dependency); break;
974 case T_OBJECT:
975 case T_NARROWOOP:
976 #ifdef _LP64
977 if (adr->bottom_type()->is_ptr_to_narrowoop()) {
978 load = new LoadNNode(ctl, mem, adr, adr_type, rt->make_narrowoop(), mo, control_dependency);
979 } else
980 #endif
981 {
982 assert(!adr->bottom_type()->is_ptr_to_narrowoop() && !adr->bottom_type()->is_ptr_to_narrowklass(), "should have got back a narrow oop");
983 load = new LoadPNode(ctl, mem, adr, adr_type, rt->is_ptr(), mo, control_dependency);
984 }
985 break;
986 default:
987 ShouldNotReachHere();
988 break;
989 }
990 assert(load != nullptr, "LoadNode should have been created");
991 if (unaligned) {
992 load->set_unaligned_access();
993 }
994 if (mismatched) {
995 load->set_mismatched_access();
996 }
997 if (unsafe) {
998 load->set_unsafe_access();
999 }
1000 load->set_barrier_data(barrier_data);
1001 if (load->Opcode() == Op_LoadN) {
1002 Node* ld = gvn.transform(load);
1003 return new DecodeNNode(ld, ld->bottom_type()->make_ptr());
1004 }
1005
1006 return load;
1007 }
1008
1009 //------------------------------hash-------------------------------------------
1010 uint LoadNode::hash() const {
1011 // unroll addition of interesting fields
1012 return (uintptr_t)in(Control) + (uintptr_t)in(Memory) + (uintptr_t)in(Address);
1013 }
1014
1015 static bool skip_through_membars(Compile::AliasType* atp, const TypeInstPtr* tp, bool eliminate_boxing) {
1016 if ((atp != nullptr) && (atp->index() >= Compile::AliasIdxRaw)) {
1017 bool non_volatile = (atp->field() != nullptr) && !atp->field()->is_volatile();
1018 bool is_stable_ary = FoldStableValues &&
1019 (tp != nullptr) && (tp->isa_aryptr() != nullptr) &&
1020 tp->isa_aryptr()->is_stable();
1021
1022 return (eliminate_boxing && non_volatile) || is_stable_ary;
1023 }
1024
1025 return false;
1026 }
1027
1028 LoadNode* LoadNode::pin_array_access_node() const {
1029 const TypePtr* adr_type = this->adr_type();
1030 if (adr_type != nullptr && adr_type->isa_aryptr()) {
1031 return clone_pinned();
1032 }
1033 return nullptr;
1034 }
1035
1036 // Is the value loaded previously stored by an arraycopy? If so return
1037 // a load node that reads from the source array so we may be able to
1038 // optimize out the ArrayCopy node later.
1039 Node* LoadNode::can_see_arraycopy_value(Node* st, PhaseGVN* phase) const {
1040 Node* ld_adr = in(MemNode::Address);
1041 intptr_t ld_off = 0;
1042 AllocateNode* ld_alloc = AllocateNode::Ideal_allocation(ld_adr, phase, ld_off);
1043 Node* ac = find_previous_arraycopy(phase, ld_alloc, st, true);
1044 if (ac != nullptr) {
1045 assert(ac->is_ArrayCopy(), "what kind of node can this be?");
1046
1047 Node* mem = ac->in(TypeFunc::Memory);
1048 Node* ctl = ac->in(0);
1049 Node* src = ac->in(ArrayCopyNode::Src);
1050
1051 if (!ac->as_ArrayCopy()->is_clonebasic() && !phase->type(src)->isa_aryptr()) {
1052 return nullptr;
1053 }
1054
1055 // load depends on the tests that validate the arraycopy
1056 LoadNode* ld = clone_pinned();
1057 Node* addp = in(MemNode::Address)->clone();
1058 if (ac->as_ArrayCopy()->is_clonebasic()) {
1059 assert(ld_alloc != nullptr, "need an alloc");
1060 assert(addp->is_AddP(), "address must be addp");
1061 BarrierSetC2* bs = BarrierSet::barrier_set()->barrier_set_c2();
1062 assert(bs->step_over_gc_barrier(addp->in(AddPNode::Base)) == bs->step_over_gc_barrier(ac->in(ArrayCopyNode::Dest)), "strange pattern");
1063 assert(bs->step_over_gc_barrier(addp->in(AddPNode::Address)) == bs->step_over_gc_barrier(ac->in(ArrayCopyNode::Dest)), "strange pattern");
1064 addp->set_req(AddPNode::Base, src);
1065 addp->set_req(AddPNode::Address, src);
1066 } else {
1067 assert(ac->as_ArrayCopy()->is_arraycopy_validated() ||
1068 ac->as_ArrayCopy()->is_copyof_validated() ||
1069 ac->as_ArrayCopy()->is_copyofrange_validated(), "only supported cases");
1070 assert(addp->in(AddPNode::Base) == addp->in(AddPNode::Address), "should be");
1071 addp->set_req(AddPNode::Base, src);
1072 addp->set_req(AddPNode::Address, src);
1073
1074 const TypeAryPtr* ary_t = phase->type(in(MemNode::Address))->isa_aryptr();
1075 BasicType ary_elem = ary_t->isa_aryptr()->elem()->array_element_basic_type();
1076 if (is_reference_type(ary_elem, true)) ary_elem = T_OBJECT;
1077
1078 uint header = arrayOopDesc::base_offset_in_bytes(ary_elem);
1079 uint shift = exact_log2(type2aelembytes(ary_elem));
1080
1081 Node* diff = phase->transform(new SubINode(ac->in(ArrayCopyNode::SrcPos), ac->in(ArrayCopyNode::DestPos)));
1082 #ifdef _LP64
1083 diff = phase->transform(new ConvI2LNode(diff));
1084 #endif
1085 diff = phase->transform(new LShiftXNode(diff, phase->intcon(shift)));
1086
1087 Node* offset = phase->transform(new AddXNode(addp->in(AddPNode::Offset), diff));
1088 addp->set_req(AddPNode::Offset, offset);
1089 }
1090 addp = phase->transform(addp);
1091 #ifdef ASSERT
1092 const TypePtr* adr_type = phase->type(addp)->is_ptr();
1093 ld->_adr_type = adr_type;
1094 #endif
1095 ld->set_req(MemNode::Address, addp);
1096 ld->set_req(0, ctl);
1097 ld->set_req(MemNode::Memory, mem);
1098 return ld;
1099 }
1100 return nullptr;
1101 }
1102
1103
1104 //---------------------------can_see_stored_value------------------------------
1105 // This routine exists to make sure this set of tests is done the same
1106 // everywhere. We need to make a coordinated change: first LoadNode::Ideal
1107 // will change the graph shape in a way which makes memory alive twice at the
1108 // same time (uses the Oracle model of aliasing), then some
1109 // LoadXNode::Identity will fold things back to the equivalence-class model
1110 // of aliasing.
1111 Node* MemNode::can_see_stored_value(Node* st, PhaseValues* phase) const {
1112 Node* ld_adr = in(MemNode::Address);
1113 intptr_t ld_off = 0;
1114 Node* ld_base = AddPNode::Ideal_base_and_offset(ld_adr, phase, ld_off);
1115 Node* ld_alloc = AllocateNode::Ideal_allocation(ld_base);
1116 const TypeInstPtr* tp = phase->type(ld_adr)->isa_instptr();
1117 Compile::AliasType* atp = (tp != nullptr) ? phase->C->alias_type(tp) : nullptr;
1118 // This is more general than load from boxing objects.
1119 if (skip_through_membars(atp, tp, phase->C->eliminate_boxing())) {
1120 uint alias_idx = atp->index();
1121 Node* result = nullptr;
1122 Node* current = st;
1123 // Skip through chains of MemBarNodes checking the MergeMems for
1124 // new states for the slice of this load. Stop once any other
1125 // kind of node is encountered. Loads from final memory can skip
1126 // through any kind of MemBar but normal loads shouldn't skip
1127 // through MemBarAcquire since the could allow them to move out of
1128 // a synchronized region. It is not safe to step over MemBarCPUOrder,
1129 // because alias info above them may be inaccurate (e.g., due to
1130 // mixed/mismatched unsafe accesses).
1131 bool is_final_mem = !atp->is_rewritable();
1132 while (current->is_Proj()) {
1133 int opc = current->in(0)->Opcode();
1134 if ((is_final_mem && (opc == Op_MemBarAcquire ||
1135 opc == Op_MemBarAcquireLock ||
1136 opc == Op_LoadFence)) ||
1137 opc == Op_MemBarRelease ||
1138 opc == Op_StoreFence ||
1139 opc == Op_MemBarReleaseLock ||
1140 opc == Op_MemBarStoreStore ||
1141 opc == Op_StoreStoreFence) {
1142 Node* mem = current->in(0)->in(TypeFunc::Memory);
1143 if (mem->is_MergeMem()) {
1144 MergeMemNode* merge = mem->as_MergeMem();
1145 Node* new_st = merge->memory_at(alias_idx);
1146 if (new_st == merge->base_memory()) {
1147 // Keep searching
1148 current = new_st;
1149 continue;
1150 }
1151 // Save the new memory state for the slice and fall through
1152 // to exit.
1153 result = new_st;
1154 }
1155 }
1156 break;
1157 }
1158 if (result != nullptr) {
1159 st = result;
1160 }
1161 }
1162
1163 // Loop around twice in the case Load -> Initialize -> Store.
1164 // (See PhaseIterGVN::add_users_to_worklist, which knows about this case.)
1165 for (int trip = 0; trip <= 1; trip++) {
1166
1167 if (st->is_Store()) {
1168 Node* st_adr = st->in(MemNode::Address);
1169 if (st_adr != ld_adr) {
1170 // Try harder before giving up. Unify base pointers with casts (e.g., raw/non-raw pointers).
1171 intptr_t st_off = 0;
1172 Node* st_base = AddPNode::Ideal_base_and_offset(st_adr, phase, st_off);
1173 if (ld_base == nullptr) return nullptr;
1174 if (st_base == nullptr) return nullptr;
1175 if (!ld_base->eqv_uncast(st_base, /*keep_deps=*/true)) return nullptr;
1176 if (ld_off != st_off) return nullptr;
1177 if (ld_off == Type::OffsetBot) return nullptr;
1178 // Same base, same offset.
1179 // Possible improvement for arrays: check index value instead of absolute offset.
1180
1181 // At this point we have proven something like this setup:
1182 // B = << base >>
1183 // L = LoadQ(AddP(Check/CastPP(B), #Off))
1184 // S = StoreQ(AddP( B , #Off), V)
1185 // (Actually, we haven't yet proven the Q's are the same.)
1186 // In other words, we are loading from a casted version of
1187 // the same pointer-and-offset that we stored to.
1188 // Casted version may carry a dependency and it is respected.
1189 // Thus, we are able to replace L by V.
1190 }
1191 // Now prove that we have a LoadQ matched to a StoreQ, for some Q.
1192 if (store_Opcode() != st->Opcode()) {
1193 return nullptr;
1194 }
1195 // LoadVector/StoreVector needs additional check to ensure the types match.
1196 if (st->is_StoreVector()) {
1197 const TypeVect* in_vt = st->as_StoreVector()->vect_type();
1198 const TypeVect* out_vt = as_LoadVector()->vect_type();
1199 if (in_vt != out_vt) {
1200 return nullptr;
1201 }
1202 }
1203 return st->in(MemNode::ValueIn);
1204 }
1205
1206 // A load from a freshly-created object always returns zero.
1207 // (This can happen after LoadNode::Ideal resets the load's memory input
1208 // to find_captured_store, which returned InitializeNode::zero_memory.)
1209 if (st->is_Proj() && st->in(0)->is_Allocate() &&
1210 (st->in(0) == ld_alloc) &&
1211 (ld_off >= st->in(0)->as_Allocate()->minimum_header_size())) {
1212 // return a zero value for the load's basic type
1213 // (This is one of the few places where a generic PhaseTransform
1214 // can create new nodes. Think of it as lazily manifesting
1215 // virtually pre-existing constants.)
1216 if (value_basic_type() != T_VOID) {
1217 if (ReduceBulkZeroing || find_array_copy_clone(ld_alloc, in(MemNode::Memory)) == nullptr) {
1218 // If ReduceBulkZeroing is disabled, we need to check if the allocation does not belong to an
1219 // ArrayCopyNode clone. If it does, then we cannot assume zero since the initialization is done
1220 // by the ArrayCopyNode.
1221 return phase->zerocon(value_basic_type());
1222 }
1223 } else {
1224 // TODO: materialize all-zero vector constant
1225 assert(!isa_Load() || as_Load()->type()->isa_vect(), "");
1226 }
1227 }
1228
1229 // A load from an initialization barrier can match a captured store.
1230 if (st->is_Proj() && st->in(0)->is_Initialize()) {
1231 InitializeNode* init = st->in(0)->as_Initialize();
1232 AllocateNode* alloc = init->allocation();
1233 if ((alloc != nullptr) && (alloc == ld_alloc)) {
1234 // examine a captured store value
1235 st = init->find_captured_store(ld_off, memory_size(), phase);
1236 if (st != nullptr) {
1237 continue; // take one more trip around
1238 }
1239 }
1240 }
1241
1242 // Load boxed value from result of valueOf() call is input parameter.
1243 if (this->is_Load() && ld_adr->is_AddP() &&
1244 (tp != nullptr) && tp->is_ptr_to_boxed_value()) {
1245 intptr_t ignore = 0;
1246 Node* base = AddPNode::Ideal_base_and_offset(ld_adr, phase, ignore);
1247 BarrierSetC2* bs = BarrierSet::barrier_set()->barrier_set_c2();
1248 base = bs->step_over_gc_barrier(base);
1249 if (base != nullptr && base->is_Proj() &&
1250 base->as_Proj()->_con == TypeFunc::Parms &&
1251 base->in(0)->is_CallStaticJava() &&
1252 base->in(0)->as_CallStaticJava()->is_boxing_method()) {
1253 return base->in(0)->in(TypeFunc::Parms);
1254 }
1255 }
1256
1257 break;
1258 }
1259
1260 return nullptr;
1261 }
1262
1263 //----------------------is_instance_field_load_with_local_phi------------------
1264 bool LoadNode::is_instance_field_load_with_local_phi(Node* ctrl) {
1265 if( in(Memory)->is_Phi() && in(Memory)->in(0) == ctrl &&
1266 in(Address)->is_AddP() ) {
1267 const TypeOopPtr* t_oop = in(Address)->bottom_type()->isa_oopptr();
1268 // Only instances and boxed values.
1269 if( t_oop != nullptr &&
1270 (t_oop->is_ptr_to_boxed_value() ||
1271 t_oop->is_known_instance_field()) &&
1272 t_oop->offset() != Type::OffsetBot &&
1273 t_oop->offset() != Type::OffsetTop) {
1274 return true;
1275 }
1276 }
1277 return false;
1278 }
1279
1280 //------------------------------Identity---------------------------------------
1281 // Loads are identity if previous store is to same address
1282 Node* LoadNode::Identity(PhaseGVN* phase) {
1283 // If the previous store-maker is the right kind of Store, and the store is
1284 // to the same address, then we are equal to the value stored.
1285 Node* mem = in(Memory);
1286 Node* value = can_see_stored_value(mem, phase);
1287 if( value ) {
1288 // byte, short & char stores truncate naturally.
1289 // A load has to load the truncated value which requires
1290 // some sort of masking operation and that requires an
1291 // Ideal call instead of an Identity call.
1292 if (memory_size() < BytesPerInt) {
1293 // If the input to the store does not fit with the load's result type,
1294 // it must be truncated via an Ideal call.
1295 if (!phase->type(value)->higher_equal(phase->type(this)))
1296 return this;
1297 }
1298 // (This works even when value is a Con, but LoadNode::Value
1299 // usually runs first, producing the singleton type of the Con.)
1300 if (!has_pinned_control_dependency() || value->is_Con()) {
1301 return value;
1302 } else {
1303 return this;
1304 }
1305 }
1306
1307 if (has_pinned_control_dependency()) {
1308 return this;
1309 }
1310 // Search for an existing data phi which was generated before for the same
1311 // instance's field to avoid infinite generation of phis in a loop.
1312 Node *region = mem->in(0);
1313 if (is_instance_field_load_with_local_phi(region)) {
1314 const TypeOopPtr *addr_t = in(Address)->bottom_type()->isa_oopptr();
1315 int this_index = phase->C->get_alias_index(addr_t);
1316 int this_offset = addr_t->offset();
1317 int this_iid = addr_t->instance_id();
1318 if (!addr_t->is_known_instance() &&
1319 addr_t->is_ptr_to_boxed_value()) {
1320 // Use _idx of address base (could be Phi node) for boxed values.
1321 intptr_t ignore = 0;
1322 Node* base = AddPNode::Ideal_base_and_offset(in(Address), phase, ignore);
1323 if (base == nullptr) {
1324 return this;
1325 }
1326 this_iid = base->_idx;
1327 }
1328 const Type* this_type = bottom_type();
1329 for (DUIterator_Fast imax, i = region->fast_outs(imax); i < imax; i++) {
1330 Node* phi = region->fast_out(i);
1331 if (phi->is_Phi() && phi != mem &&
1332 phi->as_Phi()->is_same_inst_field(this_type, (int)mem->_idx, this_iid, this_index, this_offset)) {
1333 return phi;
1334 }
1335 }
1336 }
1337
1338 return this;
1339 }
1340
1341 // Construct an equivalent unsigned load.
1342 Node* LoadNode::convert_to_unsigned_load(PhaseGVN& gvn) {
1343 BasicType bt = T_ILLEGAL;
1344 const Type* rt = nullptr;
1345 switch (Opcode()) {
1346 case Op_LoadUB: return this;
1347 case Op_LoadUS: return this;
1348 case Op_LoadB: bt = T_BOOLEAN; rt = TypeInt::UBYTE; break;
1349 case Op_LoadS: bt = T_CHAR; rt = TypeInt::CHAR; break;
1350 default:
1351 assert(false, "no unsigned variant: %s", Name());
1352 return nullptr;
1353 }
1354 return LoadNode::make(gvn, in(MemNode::Control), in(MemNode::Memory), in(MemNode::Address),
1355 raw_adr_type(), rt, bt, _mo, _control_dependency,
1356 false /*require_atomic_access*/, is_unaligned_access(), is_mismatched_access());
1357 }
1358
1359 // Construct an equivalent signed load.
1360 Node* LoadNode::convert_to_signed_load(PhaseGVN& gvn) {
1361 BasicType bt = T_ILLEGAL;
1362 const Type* rt = nullptr;
1363 switch (Opcode()) {
1364 case Op_LoadUB: bt = T_BYTE; rt = TypeInt::BYTE; break;
1365 case Op_LoadUS: bt = T_SHORT; rt = TypeInt::SHORT; break;
1366 case Op_LoadB: // fall through
1367 case Op_LoadS: // fall through
1368 case Op_LoadI: // fall through
1369 case Op_LoadL: return this;
1370 default:
1371 assert(false, "no signed variant: %s", Name());
1372 return nullptr;
1373 }
1374 return LoadNode::make(gvn, in(MemNode::Control), in(MemNode::Memory), in(MemNode::Address),
1375 raw_adr_type(), rt, bt, _mo, _control_dependency,
1376 false /*require_atomic_access*/, is_unaligned_access(), is_mismatched_access());
1377 }
1378
1379 bool LoadNode::has_reinterpret_variant(const Type* rt) {
1380 BasicType bt = rt->basic_type();
1381 switch (Opcode()) {
1382 case Op_LoadI: return (bt == T_FLOAT);
1383 case Op_LoadL: return (bt == T_DOUBLE);
1384 case Op_LoadF: return (bt == T_INT);
1385 case Op_LoadD: return (bt == T_LONG);
1386
1387 default: return false;
1388 }
1389 }
1390
1391 Node* LoadNode::convert_to_reinterpret_load(PhaseGVN& gvn, const Type* rt) {
1392 BasicType bt = rt->basic_type();
1393 assert(has_reinterpret_variant(rt), "no reinterpret variant: %s %s", Name(), type2name(bt));
1394 bool is_mismatched = is_mismatched_access();
1395 const TypeRawPtr* raw_type = gvn.type(in(MemNode::Memory))->isa_rawptr();
1396 if (raw_type == nullptr) {
1397 is_mismatched = true; // conservatively match all non-raw accesses as mismatched
1398 }
1399 const int op = Opcode();
1400 bool require_atomic_access = (op == Op_LoadL && ((LoadLNode*)this)->require_atomic_access()) ||
1401 (op == Op_LoadD && ((LoadDNode*)this)->require_atomic_access());
1402 return LoadNode::make(gvn, in(MemNode::Control), in(MemNode::Memory), in(MemNode::Address),
1403 raw_adr_type(), rt, bt, _mo, _control_dependency,
1404 require_atomic_access, is_unaligned_access(), is_mismatched);
1405 }
1406
1407 bool StoreNode::has_reinterpret_variant(const Type* vt) {
1408 BasicType bt = vt->basic_type();
1409 switch (Opcode()) {
1410 case Op_StoreI: return (bt == T_FLOAT);
1411 case Op_StoreL: return (bt == T_DOUBLE);
1412 case Op_StoreF: return (bt == T_INT);
1413 case Op_StoreD: return (bt == T_LONG);
1414
1415 default: return false;
1416 }
1417 }
1418
1419 Node* StoreNode::convert_to_reinterpret_store(PhaseGVN& gvn, Node* val, const Type* vt) {
1420 BasicType bt = vt->basic_type();
1421 assert(has_reinterpret_variant(vt), "no reinterpret variant: %s %s", Name(), type2name(bt));
1422 const int op = Opcode();
1423 bool require_atomic_access = (op == Op_StoreL && ((StoreLNode*)this)->require_atomic_access()) ||
1424 (op == Op_StoreD && ((StoreDNode*)this)->require_atomic_access());
1425 StoreNode* st = StoreNode::make(gvn, in(MemNode::Control), in(MemNode::Memory), in(MemNode::Address),
1426 raw_adr_type(), val, bt, _mo, require_atomic_access);
1427
1428 bool is_mismatched = is_mismatched_access();
1429 const TypeRawPtr* raw_type = gvn.type(in(MemNode::Memory))->isa_rawptr();
1430 if (raw_type == nullptr) {
1431 is_mismatched = true; // conservatively match all non-raw accesses as mismatched
1432 }
1433 if (is_mismatched) {
1434 st->set_mismatched_access();
1435 }
1436 return st;
1437 }
1438
1439 // We're loading from an object which has autobox behaviour.
1440 // If this object is result of a valueOf call we'll have a phi
1441 // merging a newly allocated object and a load from the cache.
1442 // We want to replace this load with the original incoming
1443 // argument to the valueOf call.
1444 Node* LoadNode::eliminate_autobox(PhaseIterGVN* igvn) {
1445 assert(igvn->C->eliminate_boxing(), "sanity");
1446 intptr_t ignore = 0;
1447 Node* base = AddPNode::Ideal_base_and_offset(in(Address), igvn, ignore);
1448 if ((base == nullptr) || base->is_Phi()) {
1449 // Push the loads from the phi that comes from valueOf up
1450 // through it to allow elimination of the loads and the recovery
1451 // of the original value. It is done in split_through_phi().
1452 return nullptr;
1453 } else if (base->is_Load() ||
1454 (base->is_DecodeN() && base->in(1)->is_Load())) {
1455 // Eliminate the load of boxed value for integer types from the cache
1456 // array by deriving the value from the index into the array.
1457 // Capture the offset of the load and then reverse the computation.
1458
1459 // Get LoadN node which loads a boxing object from 'cache' array.
1460 if (base->is_DecodeN()) {
1461 base = base->in(1);
1462 }
1463 if (!base->in(Address)->is_AddP()) {
1464 return nullptr; // Complex address
1465 }
1466 AddPNode* address = base->in(Address)->as_AddP();
1467 Node* cache_base = address->in(AddPNode::Base);
1468 if ((cache_base != nullptr) && cache_base->is_DecodeN()) {
1469 // Get ConP node which is static 'cache' field.
1470 cache_base = cache_base->in(1);
1471 }
1472 if ((cache_base != nullptr) && cache_base->is_Con()) {
1473 const TypeAryPtr* base_type = cache_base->bottom_type()->isa_aryptr();
1474 if ((base_type != nullptr) && base_type->is_autobox_cache()) {
1475 Node* elements[4];
1476 int shift = exact_log2(type2aelembytes(T_OBJECT));
1477 int count = address->unpack_offsets(elements, ARRAY_SIZE(elements));
1478 if (count > 0 && elements[0]->is_Con() &&
1479 (count == 1 ||
1480 (count == 2 && elements[1]->Opcode() == Op_LShiftX &&
1481 elements[1]->in(2) == igvn->intcon(shift)))) {
1482 ciObjArray* array = base_type->const_oop()->as_obj_array();
1483 // Fetch the box object cache[0] at the base of the array and get its value
1484 ciInstance* box = array->obj_at(0)->as_instance();
1485 ciInstanceKlass* ik = box->klass()->as_instance_klass();
1486 assert(ik->is_box_klass(), "sanity");
1487 assert(ik->nof_nonstatic_fields() == 1, "change following code");
1488 if (ik->nof_nonstatic_fields() == 1) {
1489 // This should be true nonstatic_field_at requires calling
1490 // nof_nonstatic_fields so check it anyway
1491 ciConstant c = box->field_value(ik->nonstatic_field_at(0));
1492 BasicType bt = c.basic_type();
1493 // Only integer types have boxing cache.
1494 assert(bt == T_BOOLEAN || bt == T_CHAR ||
1495 bt == T_BYTE || bt == T_SHORT ||
1496 bt == T_INT || bt == T_LONG, "wrong type = %s", type2name(bt));
1497 jlong cache_low = (bt == T_LONG) ? c.as_long() : c.as_int();
1498 if (cache_low != (int)cache_low) {
1499 return nullptr; // should not happen since cache is array indexed by value
1500 }
1501 jlong offset = arrayOopDesc::base_offset_in_bytes(T_OBJECT) - (cache_low << shift);
1502 if (offset != (int)offset) {
1503 return nullptr; // should not happen since cache is array indexed by value
1504 }
1505 // Add up all the offsets making of the address of the load
1506 Node* result = elements[0];
1507 for (int i = 1; i < count; i++) {
1508 result = igvn->transform(new AddXNode(result, elements[i]));
1509 }
1510 // Remove the constant offset from the address and then
1511 result = igvn->transform(new AddXNode(result, igvn->MakeConX(-(int)offset)));
1512 // remove the scaling of the offset to recover the original index.
1513 if (result->Opcode() == Op_LShiftX && result->in(2) == igvn->intcon(shift)) {
1514 // Peel the shift off directly but wrap it in a dummy node
1515 // since Ideal can't return existing nodes
1516 igvn->_worklist.push(result); // remove dead node later
1517 result = new RShiftXNode(result->in(1), igvn->intcon(0));
1518 } else if (result->is_Add() && result->in(2)->is_Con() &&
1519 result->in(1)->Opcode() == Op_LShiftX &&
1520 result->in(1)->in(2) == igvn->intcon(shift)) {
1521 // We can't do general optimization: ((X<<Z) + Y) >> Z ==> X + (Y>>Z)
1522 // but for boxing cache access we know that X<<Z will not overflow
1523 // (there is range check) so we do this optimizatrion by hand here.
1524 igvn->_worklist.push(result); // remove dead node later
1525 Node* add_con = new RShiftXNode(result->in(2), igvn->intcon(shift));
1526 result = new AddXNode(result->in(1)->in(1), igvn->transform(add_con));
1527 } else {
1528 result = new RShiftXNode(result, igvn->intcon(shift));
1529 }
1530 #ifdef _LP64
1531 if (bt != T_LONG) {
1532 result = new ConvL2INode(igvn->transform(result));
1533 }
1534 #else
1535 if (bt == T_LONG) {
1536 result = new ConvI2LNode(igvn->transform(result));
1537 }
1538 #endif
1539 // Boxing/unboxing can be done from signed & unsigned loads (e.g. LoadUB -> ... -> LoadB pair).
1540 // Need to preserve unboxing load type if it is unsigned.
1541 switch(this->Opcode()) {
1542 case Op_LoadUB:
1543 result = new AndINode(igvn->transform(result), igvn->intcon(0xFF));
1544 break;
1545 case Op_LoadUS:
1546 result = new AndINode(igvn->transform(result), igvn->intcon(0xFFFF));
1547 break;
1548 }
1549 return result;
1550 }
1551 }
1552 }
1553 }
1554 }
1555 return nullptr;
1556 }
1557
1558 static bool stable_phi(PhiNode* phi, PhaseGVN *phase) {
1559 Node* region = phi->in(0);
1560 if (region == nullptr) {
1561 return false; // Wait stable graph
1562 }
1563 uint cnt = phi->req();
1564 for (uint i = 1; i < cnt; i++) {
1565 Node* rc = region->in(i);
1566 if (rc == nullptr || phase->type(rc) == Type::TOP)
1567 return false; // Wait stable graph
1568 Node* in = phi->in(i);
1569 if (in == nullptr || phase->type(in) == Type::TOP)
1570 return false; // Wait stable graph
1571 }
1572 return true;
1573 }
1574
1575 //------------------------------split_through_phi------------------------------
1576 // Check whether a call to 'split_through_phi' would split this load through the
1577 // Phi *base*. This method is essentially a copy of the validations performed
1578 // by 'split_through_phi'. The first use of this method was in EA code as part
1579 // of simplification of allocation merges.
1580 // Some differences from original method (split_through_phi):
1581 // - If base->is_CastPP(): base = base->in(1)
1582 bool LoadNode::can_split_through_phi_base(PhaseGVN* phase) {
1583 Node* mem = in(Memory);
1584 Node* address = in(Address);
1585 intptr_t ignore = 0;
1586 Node* base = AddPNode::Ideal_base_and_offset(address, phase, ignore);
1587
1588 if (base->is_CastPP()) {
1589 base = base->in(1);
1590 }
1591
1592 if (req() > 3 || base == nullptr || !base->is_Phi()) {
1593 return false;
1594 }
1595
1596 if (!mem->is_Phi()) {
1597 if (!MemNode::all_controls_dominate(mem, base->in(0))) {
1598 return false;
1599 }
1600 } else if (base->in(0) != mem->in(0)) {
1601 if (!MemNode::all_controls_dominate(mem, base->in(0))) {
1602 return false;
1603 }
1604 }
1605
1606 return true;
1607 }
1608
1609 //------------------------------split_through_phi------------------------------
1610 // Split instance or boxed field load through Phi.
1611 Node* LoadNode::split_through_phi(PhaseGVN* phase, bool ignore_missing_instance_id) {
1612 if (req() > 3) {
1613 assert(is_LoadVector() && Opcode() != Op_LoadVector, "load has too many inputs");
1614 // LoadVector subclasses such as LoadVectorMasked have extra inputs that the logic below doesn't take into account
1615 return nullptr;
1616 }
1617 Node* mem = in(Memory);
1618 Node* address = in(Address);
1619 const TypeOopPtr *t_oop = phase->type(address)->isa_oopptr();
1620
1621 assert((t_oop != nullptr) &&
1622 (ignore_missing_instance_id ||
1623 t_oop->is_known_instance_field() ||
1624 t_oop->is_ptr_to_boxed_value()), "invalid conditions");
1625
1626 Compile* C = phase->C;
1627 intptr_t ignore = 0;
1628 Node* base = AddPNode::Ideal_base_and_offset(address, phase, ignore);
1629 bool base_is_phi = (base != nullptr) && base->is_Phi();
1630 bool load_boxed_values = t_oop->is_ptr_to_boxed_value() && C->aggressive_unboxing() &&
1631 (base != nullptr) && (base == address->in(AddPNode::Base)) &&
1632 phase->type(base)->higher_equal(TypePtr::NOTNULL);
1633
1634 if (!((mem->is_Phi() || base_is_phi) &&
1635 (ignore_missing_instance_id || load_boxed_values || t_oop->is_known_instance_field()))) {
1636 return nullptr; // Neither memory or base are Phi
1637 }
1638
1639 if (mem->is_Phi()) {
1640 if (!stable_phi(mem->as_Phi(), phase)) {
1641 return nullptr; // Wait stable graph
1642 }
1643 uint cnt = mem->req();
1644 // Check for loop invariant memory.
1645 if (cnt == 3) {
1646 for (uint i = 1; i < cnt; i++) {
1647 Node* in = mem->in(i);
1648 Node* m = optimize_memory_chain(in, t_oop, this, phase);
1649 if (m == mem) {
1650 if (i == 1) {
1651 // if the first edge was a loop, check second edge too.
1652 // If both are replaceable - we are in an infinite loop
1653 Node *n = optimize_memory_chain(mem->in(2), t_oop, this, phase);
1654 if (n == mem) {
1655 break;
1656 }
1657 }
1658 set_req(Memory, mem->in(cnt - i));
1659 return this; // made change
1660 }
1661 }
1662 }
1663 }
1664 if (base_is_phi) {
1665 if (!stable_phi(base->as_Phi(), phase)) {
1666 return nullptr; // Wait stable graph
1667 }
1668 uint cnt = base->req();
1669 // Check for loop invariant memory.
1670 if (cnt == 3) {
1671 for (uint i = 1; i < cnt; i++) {
1672 if (base->in(i) == base) {
1673 return nullptr; // Wait stable graph
1674 }
1675 }
1676 }
1677 }
1678
1679 // Split through Phi (see original code in loopopts.cpp).
1680 assert(ignore_missing_instance_id || C->have_alias_type(t_oop), "instance should have alias type");
1681
1682 // Do nothing here if Identity will find a value
1683 // (to avoid infinite chain of value phis generation).
1684 if (this != Identity(phase)) {
1685 return nullptr;
1686 }
1687
1688 // Select Region to split through.
1689 Node* region;
1690 DomResult dom_result = DomResult::Dominate;
1691 if (!base_is_phi) {
1692 assert(mem->is_Phi(), "sanity");
1693 region = mem->in(0);
1694 // Skip if the region dominates some control edge of the address.
1695 // We will check `dom_result` later.
1696 dom_result = MemNode::maybe_all_controls_dominate(address, region);
1697 } else if (!mem->is_Phi()) {
1698 assert(base_is_phi, "sanity");
1699 region = base->in(0);
1700 // Skip if the region dominates some control edge of the memory.
1701 // We will check `dom_result` later.
1702 dom_result = MemNode::maybe_all_controls_dominate(mem, region);
1703 } else if (base->in(0) != mem->in(0)) {
1704 assert(base_is_phi && mem->is_Phi(), "sanity");
1705 dom_result = MemNode::maybe_all_controls_dominate(mem, base->in(0));
1706 if (dom_result == DomResult::Dominate) {
1707 region = base->in(0);
1708 } else {
1709 dom_result = MemNode::maybe_all_controls_dominate(address, mem->in(0));
1710 if (dom_result == DomResult::Dominate) {
1711 region = mem->in(0);
1712 }
1713 // Otherwise we encountered a complex graph.
1714 }
1715 } else {
1716 assert(base->in(0) == mem->in(0), "sanity");
1717 region = mem->in(0);
1718 }
1719
1720 PhaseIterGVN* igvn = phase->is_IterGVN();
1721 if (dom_result != DomResult::Dominate) {
1722 if (dom_result == DomResult::EncounteredDeadCode) {
1723 // There is some dead code which eventually will be removed in IGVN.
1724 // Once this is the case, we get an unambiguous dominance result.
1725 // Push the node to the worklist again until the dead code is removed.
1726 igvn->_worklist.push(this);
1727 }
1728 return nullptr;
1729 }
1730
1731 Node* phi = nullptr;
1732 const Type* this_type = this->bottom_type();
1733 if (t_oop != nullptr && (t_oop->is_known_instance_field() || load_boxed_values)) {
1734 int this_index = C->get_alias_index(t_oop);
1735 int this_offset = t_oop->offset();
1736 int this_iid = t_oop->is_known_instance_field() ? t_oop->instance_id() : base->_idx;
1737 phi = new PhiNode(region, this_type, nullptr, mem->_idx, this_iid, this_index, this_offset);
1738 } else if (ignore_missing_instance_id) {
1739 phi = new PhiNode(region, this_type, nullptr, mem->_idx);
1740 } else {
1741 return nullptr;
1742 }
1743
1744 for (uint i = 1; i < region->req(); i++) {
1745 Node* x;
1746 Node* the_clone = nullptr;
1747 Node* in = region->in(i);
1748 if (region->is_CountedLoop() && region->as_Loop()->is_strip_mined() && i == LoopNode::EntryControl &&
1749 in != nullptr && in->is_OuterStripMinedLoop()) {
1750 // No node should go in the outer strip mined loop
1751 in = in->in(LoopNode::EntryControl);
1752 }
1753 if (in == nullptr || in == C->top()) {
1754 x = C->top(); // Dead path? Use a dead data op
1755 } else {
1756 x = this->clone(); // Else clone up the data op
1757 the_clone = x; // Remember for possible deletion.
1758 // Alter data node to use pre-phi inputs
1759 if (this->in(0) == region) {
1760 x->set_req(0, in);
1761 } else {
1762 x->set_req(0, nullptr);
1763 }
1764 if (mem->is_Phi() && (mem->in(0) == region)) {
1765 x->set_req(Memory, mem->in(i)); // Use pre-Phi input for the clone.
1766 }
1767 if (address->is_Phi() && address->in(0) == region) {
1768 x->set_req(Address, address->in(i)); // Use pre-Phi input for the clone
1769 }
1770 if (base_is_phi && (base->in(0) == region)) {
1771 Node* base_x = base->in(i); // Clone address for loads from boxed objects.
1772 Node* adr_x = phase->transform(new AddPNode(base_x,base_x,address->in(AddPNode::Offset)));
1773 x->set_req(Address, adr_x);
1774 }
1775 }
1776 // Check for a 'win' on some paths
1777 const Type *t = x->Value(igvn);
1778
1779 bool singleton = t->singleton();
1780
1781 // See comments in PhaseIdealLoop::split_thru_phi().
1782 if (singleton && t == Type::TOP) {
1783 singleton &= region->is_Loop() && (i != LoopNode::EntryControl);
1784 }
1785
1786 if (singleton) {
1787 x = igvn->makecon(t);
1788 } else {
1789 // We now call Identity to try to simplify the cloned node.
1790 // Note that some Identity methods call phase->type(this).
1791 // Make sure that the type array is big enough for
1792 // our new node, even though we may throw the node away.
1793 // (This tweaking with igvn only works because x is a new node.)
1794 igvn->set_type(x, t);
1795 // If x is a TypeNode, capture any more-precise type permanently into Node
1796 // otherwise it will be not updated during igvn->transform since
1797 // igvn->type(x) is set to x->Value() already.
1798 x->raise_bottom_type(t);
1799 Node* y = x->Identity(igvn);
1800 if (y != x) {
1801 x = y;
1802 } else {
1803 y = igvn->hash_find_insert(x);
1804 if (y) {
1805 x = y;
1806 } else {
1807 // Else x is a new node we are keeping
1808 // We do not need register_new_node_with_optimizer
1809 // because set_type has already been called.
1810 igvn->_worklist.push(x);
1811 }
1812 }
1813 }
1814 if (x != the_clone && the_clone != nullptr) {
1815 igvn->remove_dead_node(the_clone);
1816 }
1817 phi->set_req(i, x);
1818 }
1819 // Record Phi
1820 igvn->register_new_node_with_optimizer(phi);
1821 return phi;
1822 }
1823
1824 AllocateNode* LoadNode::is_new_object_mark_load() const {
1825 if (Opcode() == Op_LoadX) {
1826 Node* address = in(MemNode::Address);
1827 AllocateNode* alloc = AllocateNode::Ideal_allocation(address);
1828 Node* mem = in(MemNode::Memory);
1829 if (alloc != nullptr && mem->is_Proj() &&
1830 mem->in(0) != nullptr &&
1831 mem->in(0) == alloc->initialization() &&
1832 alloc->initialization()->proj_out_or_null(0) != nullptr) {
1833 return alloc;
1834 }
1835 }
1836 return nullptr;
1837 }
1838
1839
1840 //------------------------------Ideal------------------------------------------
1841 // If the load is from Field memory and the pointer is non-null, it might be possible to
1842 // zero out the control input.
1843 // If the offset is constant and the base is an object allocation,
1844 // try to hook me up to the exact initializing store.
1845 Node *LoadNode::Ideal(PhaseGVN *phase, bool can_reshape) {
1846 if (has_pinned_control_dependency()) {
1847 return nullptr;
1848 }
1849 Node* p = MemNode::Ideal_common(phase, can_reshape);
1850 if (p) return (p == NodeSentinel) ? nullptr : p;
1851
1852 Node* ctrl = in(MemNode::Control);
1853 Node* address = in(MemNode::Address);
1854 bool progress = false;
1855
1856 bool addr_mark = ((phase->type(address)->isa_oopptr() || phase->type(address)->isa_narrowoop()) &&
1857 phase->type(address)->is_ptr()->offset() == oopDesc::mark_offset_in_bytes());
1858
1859 // Skip up past a SafePoint control. Cannot do this for Stores because
1860 // pointer stores & cardmarks must stay on the same side of a SafePoint.
1861 if( ctrl != nullptr && ctrl->Opcode() == Op_SafePoint &&
1862 phase->C->get_alias_index(phase->type(address)->is_ptr()) != Compile::AliasIdxRaw &&
1863 !addr_mark &&
1864 (depends_only_on_test() || has_unknown_control_dependency())) {
1865 ctrl = ctrl->in(0);
1866 set_req(MemNode::Control,ctrl);
1867 progress = true;
1868 }
1869
1870 intptr_t ignore = 0;
1871 Node* base = AddPNode::Ideal_base_and_offset(address, phase, ignore);
1872 if (base != nullptr
1873 && phase->C->get_alias_index(phase->type(address)->is_ptr()) != Compile::AliasIdxRaw) {
1874 // Check for useless control edge in some common special cases
1875 if (in(MemNode::Control) != nullptr
1876 && can_remove_control()
1877 && phase->type(base)->higher_equal(TypePtr::NOTNULL)
1878 && all_controls_dominate(base, phase->C->start())) {
1879 // A method-invariant, non-null address (constant or 'this' argument).
1880 set_req(MemNode::Control, nullptr);
1881 progress = true;
1882 }
1883 }
1884
1885 Node* mem = in(MemNode::Memory);
1886 const TypePtr *addr_t = phase->type(address)->isa_ptr();
1887
1888 if (can_reshape && (addr_t != nullptr)) {
1889 // try to optimize our memory input
1890 Node* opt_mem = MemNode::optimize_memory_chain(mem, addr_t, this, phase);
1891 if (opt_mem != mem) {
1892 set_req_X(MemNode::Memory, opt_mem, phase);
1893 if (phase->type( opt_mem ) == Type::TOP) return nullptr;
1894 return this;
1895 }
1896 const TypeOopPtr *t_oop = addr_t->isa_oopptr();
1897 if ((t_oop != nullptr) &&
1898 (t_oop->is_known_instance_field() ||
1899 t_oop->is_ptr_to_boxed_value())) {
1900 PhaseIterGVN *igvn = phase->is_IterGVN();
1901 assert(igvn != nullptr, "must be PhaseIterGVN when can_reshape is true");
1902 if (igvn->_worklist.member(opt_mem)) {
1903 // Delay this transformation until memory Phi is processed.
1904 igvn->_worklist.push(this);
1905 return nullptr;
1906 }
1907 // Split instance field load through Phi.
1908 Node* result = split_through_phi(phase);
1909 if (result != nullptr) return result;
1910
1911 if (t_oop->is_ptr_to_boxed_value()) {
1912 Node* result = eliminate_autobox(igvn);
1913 if (result != nullptr) return result;
1914 }
1915 }
1916 }
1917
1918 // Is there a dominating load that loads the same value? Leave
1919 // anything that is not a load of a field/array element (like
1920 // barriers etc.) alone
1921 if (in(0) != nullptr && !adr_type()->isa_rawptr() && can_reshape) {
1922 for (DUIterator_Fast imax, i = mem->fast_outs(imax); i < imax; i++) {
1923 Node *use = mem->fast_out(i);
1924 if (use != this &&
1925 use->Opcode() == Opcode() &&
1926 use->in(0) != nullptr &&
1927 use->in(0) != in(0) &&
1928 use->in(Address) == in(Address)) {
1929 Node* ctl = in(0);
1930 for (int i = 0; i < 10 && ctl != nullptr; i++) {
1931 ctl = IfNode::up_one_dom(ctl);
1932 if (ctl == use->in(0)) {
1933 set_req(0, use->in(0));
1934 return this;
1935 }
1936 }
1937 }
1938 }
1939 }
1940
1941 // Check for prior store with a different base or offset; make Load
1942 // independent. Skip through any number of them. Bail out if the stores
1943 // are in an endless dead cycle and report no progress. This is a key
1944 // transform for Reflection. However, if after skipping through the Stores
1945 // we can't then fold up against a prior store do NOT do the transform as
1946 // this amounts to using the 'Oracle' model of aliasing. It leaves the same
1947 // array memory alive twice: once for the hoisted Load and again after the
1948 // bypassed Store. This situation only works if EVERYBODY who does
1949 // anti-dependence work knows how to bypass. I.e. we need all
1950 // anti-dependence checks to ask the same Oracle. Right now, that Oracle is
1951 // the alias index stuff. So instead, peek through Stores and IFF we can
1952 // fold up, do so.
1953 Node* prev_mem = find_previous_store(phase);
1954 if (prev_mem != nullptr) {
1955 Node* value = can_see_arraycopy_value(prev_mem, phase);
1956 if (value != nullptr) {
1957 return value;
1958 }
1959 }
1960 // Steps (a), (b): Walk past independent stores to find an exact match.
1961 if (prev_mem != nullptr && prev_mem != in(MemNode::Memory)) {
1962 // (c) See if we can fold up on the spot, but don't fold up here.
1963 // Fold-up might require truncation (for LoadB/LoadS/LoadUS) or
1964 // just return a prior value, which is done by Identity calls.
1965 if (can_see_stored_value(prev_mem, phase)) {
1966 // Make ready for step (d):
1967 set_req_X(MemNode::Memory, prev_mem, phase);
1968 return this;
1969 }
1970 }
1971
1972 return progress ? this : nullptr;
1973 }
1974
1975 // Helper to recognize certain Klass fields which are invariant across
1976 // some group of array types (e.g., int[] or all T[] where T < Object).
1977 const Type*
1978 LoadNode::load_array_final_field(const TypeKlassPtr *tkls,
1979 ciKlass* klass) const {
1980 assert(!UseCompactObjectHeaders || tkls->offset() != in_bytes(Klass::prototype_header_offset()),
1981 "must not happen");
1982
1983 if (tkls->isa_instklassptr() && tkls->offset() == in_bytes(InstanceKlass::access_flags_offset())) {
1984 // The field is InstanceKlass::_access_flags. Return its (constant) value.
1985 assert(Opcode() == Op_LoadUS, "must load an unsigned short from _access_flags");
1986 ciInstanceKlass* iklass = tkls->is_instklassptr()->instance_klass();
1987 return TypeInt::make(iklass->access_flags());
1988 }
1989 if (tkls->offset() == in_bytes(Klass::misc_flags_offset())) {
1990 // The field is Klass::_misc_flags. Return its (constant) value.
1991 assert(Opcode() == Op_LoadUB, "must load an unsigned byte from _misc_flags");
1992 return TypeInt::make(klass->misc_flags());
1993 }
1994 if (tkls->offset() == in_bytes(Klass::layout_helper_offset())) {
1995 // The field is Klass::_layout_helper. Return its constant value if known.
1996 assert(Opcode() == Op_LoadI, "must load an int from _layout_helper");
1997 return TypeInt::make(klass->layout_helper());
1998 }
1999
2000 // No match.
2001 return nullptr;
2002 }
2003
2004 //------------------------------Value-----------------------------------------
2005 const Type* LoadNode::Value(PhaseGVN* phase) const {
2006 // Either input is TOP ==> the result is TOP
2007 Node* mem = in(MemNode::Memory);
2008 const Type *t1 = phase->type(mem);
2009 if (t1 == Type::TOP) return Type::TOP;
2010 Node* adr = in(MemNode::Address);
2011 const TypePtr* tp = phase->type(adr)->isa_ptr();
2012 if (tp == nullptr || tp->empty()) return Type::TOP;
2013 int off = tp->offset();
2014 assert(off != Type::OffsetTop, "case covered by TypePtr::empty");
2015 Compile* C = phase->C;
2016
2017 // If load can see a previous constant store, use that.
2018 Node* value = can_see_stored_value(mem, phase);
2019 if (value != nullptr && value->is_Con()) {
2020 assert(value->bottom_type()->higher_equal(_type), "sanity");
2021 return value->bottom_type();
2022 }
2023
2024 // Try to guess loaded type from pointer type
2025 if (tp->isa_aryptr()) {
2026 const TypeAryPtr* ary = tp->is_aryptr();
2027 const Type* t = ary->elem();
2028
2029 // Determine whether the reference is beyond the header or not, by comparing
2030 // the offset against the offset of the start of the array's data.
2031 // Different array types begin at slightly different offsets (12 vs. 16).
2032 // We choose T_BYTE as an example base type that is least restrictive
2033 // as to alignment, which will therefore produce the smallest
2034 // possible base offset.
2035 const int min_base_off = arrayOopDesc::base_offset_in_bytes(T_BYTE);
2036 const bool off_beyond_header = (off >= min_base_off);
2037
2038 // Try to constant-fold a stable array element.
2039 if (FoldStableValues && !is_mismatched_access() && ary->is_stable()) {
2040 // Make sure the reference is not into the header and the offset is constant
2041 ciObject* aobj = ary->const_oop();
2042 if (aobj != nullptr && off_beyond_header && adr->is_AddP() && off != Type::OffsetBot) {
2043 int stable_dimension = (ary->stable_dimension() > 0 ? ary->stable_dimension() - 1 : 0);
2044 const Type* con_type = Type::make_constant_from_array_element(aobj->as_array(), off,
2045 stable_dimension,
2046 value_basic_type(), is_unsigned());
2047 if (con_type != nullptr) {
2048 return con_type;
2049 }
2050 }
2051 }
2052
2053 // Don't do this for integer types. There is only potential profit if
2054 // the element type t is lower than _type; that is, for int types, if _type is
2055 // more restrictive than t. This only happens here if one is short and the other
2056 // char (both 16 bits), and in those cases we've made an intentional decision
2057 // to use one kind of load over the other. See AndINode::Ideal and 4965907.
2058 // Also, do not try to narrow the type for a LoadKlass, regardless of offset.
2059 //
2060 // Yes, it is possible to encounter an expression like (LoadKlass p1:(AddP x x 8))
2061 // where the _gvn.type of the AddP is wider than 8. This occurs when an earlier
2062 // copy p0 of (AddP x x 8) has been proven equal to p1, and the p0 has been
2063 // subsumed by p1. If p1 is on the worklist but has not yet been re-transformed,
2064 // it is possible that p1 will have a type like Foo*[int+]:NotNull*+any.
2065 // In fact, that could have been the original type of p1, and p1 could have
2066 // had an original form like p1:(AddP x x (LShiftL quux 3)), where the
2067 // expression (LShiftL quux 3) independently optimized to the constant 8.
2068 if ((t->isa_int() == nullptr) && (t->isa_long() == nullptr)
2069 && (_type->isa_vect() == nullptr)
2070 && Opcode() != Op_LoadKlass && Opcode() != Op_LoadNKlass) {
2071 // t might actually be lower than _type, if _type is a unique
2072 // concrete subclass of abstract class t.
2073 if (off_beyond_header || off == Type::OffsetBot) { // is the offset beyond the header?
2074 const Type* jt = t->join_speculative(_type);
2075 // In any case, do not allow the join, per se, to empty out the type.
2076 if (jt->empty() && !t->empty()) {
2077 // This can happen if a interface-typed array narrows to a class type.
2078 jt = _type;
2079 }
2080 #ifdef ASSERT
2081 if (phase->C->eliminate_boxing() && adr->is_AddP()) {
2082 // The pointers in the autobox arrays are always non-null
2083 Node* base = adr->in(AddPNode::Base);
2084 if ((base != nullptr) && base->is_DecodeN()) {
2085 // Get LoadN node which loads IntegerCache.cache field
2086 base = base->in(1);
2087 }
2088 if ((base != nullptr) && base->is_Con()) {
2089 const TypeAryPtr* base_type = base->bottom_type()->isa_aryptr();
2090 if ((base_type != nullptr) && base_type->is_autobox_cache()) {
2091 // It could be narrow oop
2092 assert(jt->make_ptr()->ptr() == TypePtr::NotNull,"sanity");
2093 }
2094 }
2095 }
2096 #endif
2097 return jt;
2098 }
2099 }
2100 } else if (tp->base() == Type::InstPtr) {
2101 assert( off != Type::OffsetBot ||
2102 // arrays can be cast to Objects
2103 !tp->isa_instptr() ||
2104 tp->is_instptr()->instance_klass()->is_java_lang_Object() ||
2105 // unsafe field access may not have a constant offset
2106 C->has_unsafe_access(),
2107 "Field accesses must be precise" );
2108 // For oop loads, we expect the _type to be precise.
2109
2110 // Optimize loads from constant fields.
2111 const TypeInstPtr* tinst = tp->is_instptr();
2112 ciObject* const_oop = tinst->const_oop();
2113 if (!is_mismatched_access() && off != Type::OffsetBot && const_oop != nullptr && const_oop->is_instance()) {
2114 const Type* con_type = Type::make_constant_from_field(const_oop->as_instance(), off, is_unsigned(), value_basic_type());
2115 if (con_type != nullptr) {
2116 return con_type;
2117 }
2118 }
2119 } else if (tp->base() == Type::KlassPtr || tp->base() == Type::InstKlassPtr || tp->base() == Type::AryKlassPtr) {
2120 assert(off != Type::OffsetBot ||
2121 !tp->isa_instklassptr() ||
2122 // arrays can be cast to Objects
2123 tp->isa_instklassptr()->instance_klass()->is_java_lang_Object() ||
2124 // also allow array-loading from the primary supertype
2125 // array during subtype checks
2126 Opcode() == Op_LoadKlass,
2127 "Field accesses must be precise");
2128 // For klass/static loads, we expect the _type to be precise
2129 } else if (tp->base() == Type::RawPtr && adr->is_Load() && off == 0) {
2130 /* With mirrors being an indirect in the Klass*
2131 * the VM is now using two loads. LoadKlass(LoadP(LoadP(Klass, mirror_offset), zero_offset))
2132 * The LoadP from the Klass has a RawPtr type (see LibraryCallKit::load_mirror_from_klass).
2133 *
2134 * So check the type and klass of the node before the LoadP.
2135 */
2136 Node* adr2 = adr->in(MemNode::Address);
2137 const TypeKlassPtr* tkls = phase->type(adr2)->isa_klassptr();
2138 if (tkls != nullptr && !StressReflectiveCode) {
2139 if (tkls->is_loaded() && tkls->klass_is_exact() && tkls->offset() == in_bytes(Klass::java_mirror_offset())) {
2140 ciKlass* klass = tkls->exact_klass();
2141 assert(adr->Opcode() == Op_LoadP, "must load an oop from _java_mirror");
2142 assert(Opcode() == Op_LoadP, "must load an oop from _java_mirror");
2143 return TypeInstPtr::make(klass->java_mirror());
2144 }
2145 }
2146 }
2147
2148 const TypeKlassPtr *tkls = tp->isa_klassptr();
2149 if (tkls != nullptr) {
2150 if (tkls->is_loaded() && tkls->klass_is_exact()) {
2151 ciKlass* klass = tkls->exact_klass();
2152 // We are loading a field from a Klass metaobject whose identity
2153 // is known at compile time (the type is "exact" or "precise").
2154 // Check for fields we know are maintained as constants by the VM.
2155 if (tkls->offset() == in_bytes(Klass::super_check_offset_offset())) {
2156 // The field is Klass::_super_check_offset. Return its (constant) value.
2157 // (Folds up type checking code.)
2158 assert(Opcode() == Op_LoadI, "must load an int from _super_check_offset");
2159 return TypeInt::make(klass->super_check_offset());
2160 }
2161 if (UseCompactObjectHeaders) {
2162 if (tkls->offset() == in_bytes(Klass::prototype_header_offset())) {
2163 // The field is Klass::_prototype_header. Return its (constant) value.
2164 assert(this->Opcode() == Op_LoadX, "must load a proper type from _prototype_header");
2165 return TypeX::make(klass->prototype_header());
2166 }
2167 }
2168 // Compute index into primary_supers array
2169 juint depth = (tkls->offset() - in_bytes(Klass::primary_supers_offset())) / sizeof(Klass*);
2170 // Check for overflowing; use unsigned compare to handle the negative case.
2171 if( depth < ciKlass::primary_super_limit() ) {
2172 // The field is an element of Klass::_primary_supers. Return its (constant) value.
2173 // (Folds up type checking code.)
2174 assert(Opcode() == Op_LoadKlass, "must load a klass from _primary_supers");
2175 ciKlass *ss = klass->super_of_depth(depth);
2176 return ss ? TypeKlassPtr::make(ss, Type::trust_interfaces) : TypePtr::NULL_PTR;
2177 }
2178 const Type* aift = load_array_final_field(tkls, klass);
2179 if (aift != nullptr) return aift;
2180 }
2181
2182 // We can still check if we are loading from the primary_supers array at a
2183 // shallow enough depth. Even though the klass is not exact, entries less
2184 // than or equal to its super depth are correct.
2185 if (tkls->is_loaded()) {
2186 ciKlass* klass = nullptr;
2187 if (tkls->isa_instklassptr()) {
2188 klass = tkls->is_instklassptr()->instance_klass();
2189 } else {
2190 int dims;
2191 const Type* inner = tkls->is_aryklassptr()->base_element_type(dims);
2192 if (inner->isa_instklassptr()) {
2193 klass = inner->is_instklassptr()->instance_klass();
2194 klass = ciObjArrayKlass::make(klass, dims);
2195 }
2196 }
2197 if (klass != nullptr) {
2198 // Compute index into primary_supers array
2199 juint depth = (tkls->offset() - in_bytes(Klass::primary_supers_offset())) / sizeof(Klass*);
2200 // Check for overflowing; use unsigned compare to handle the negative case.
2201 if (depth < ciKlass::primary_super_limit() &&
2202 depth <= klass->super_depth()) { // allow self-depth checks to handle self-check case
2203 // The field is an element of Klass::_primary_supers. Return its (constant) value.
2204 // (Folds up type checking code.)
2205 assert(Opcode() == Op_LoadKlass, "must load a klass from _primary_supers");
2206 ciKlass *ss = klass->super_of_depth(depth);
2207 return ss ? TypeKlassPtr::make(ss, Type::trust_interfaces) : TypePtr::NULL_PTR;
2208 }
2209 }
2210 }
2211
2212 // If the type is enough to determine that the thing is not an array,
2213 // we can give the layout_helper a positive interval type.
2214 // This will help short-circuit some reflective code.
2215 if (tkls->offset() == in_bytes(Klass::layout_helper_offset()) &&
2216 tkls->isa_instklassptr() && // not directly typed as an array
2217 !tkls->is_instklassptr()->might_be_an_array() // not the supertype of all T[] (java.lang.Object) or has an interface that is not Serializable or Cloneable
2218 ) {
2219 assert(Opcode() == Op_LoadI, "must load an int from _layout_helper");
2220 jint min_size = Klass::instance_layout_helper(oopDesc::header_size(), false);
2221 // The key property of this type is that it folds up tests
2222 // for array-ness, since it proves that the layout_helper is positive.
2223 // Thus, a generic value like the basic object layout helper works fine.
2224 return TypeInt::make(min_size, max_jint, Type::WidenMin);
2225 }
2226 }
2227
2228 // If we are loading from a freshly-allocated object/array, produce a zero.
2229 // Things to check:
2230 // 1. Load is beyond the header: headers are not guaranteed to be zero
2231 // 2. Load is not vectorized: vectors have no zero constant
2232 // 3. Load has no matching store, i.e. the input is the initial memory state
2233 const TypeOopPtr* tinst = tp->isa_oopptr();
2234 bool is_not_header = (tinst != nullptr) && tinst->is_known_instance_field();
2235 bool is_not_vect = (_type->isa_vect() == nullptr);
2236 if (is_not_header && is_not_vect) {
2237 Node* mem = in(MemNode::Memory);
2238 if (mem->is_Parm() && mem->in(0)->is_Start()) {
2239 assert(mem->as_Parm()->_con == TypeFunc::Memory, "must be memory Parm");
2240 return Type::get_zero_type(_type->basic_type());
2241 }
2242 }
2243
2244 if (!UseCompactObjectHeaders) {
2245 Node* alloc = is_new_object_mark_load();
2246 if (alloc != nullptr) {
2247 return TypeX::make(markWord::prototype().value());
2248 }
2249 }
2250
2251 return _type;
2252 }
2253
2254 //------------------------------match_edge-------------------------------------
2255 // Do we Match on this edge index or not? Match only the address.
2256 uint LoadNode::match_edge(uint idx) const {
2257 return idx == MemNode::Address;
2258 }
2259
2260 //--------------------------LoadBNode::Ideal--------------------------------------
2261 //
2262 // If the previous store is to the same address as this load,
2263 // and the value stored was larger than a byte, replace this load
2264 // with the value stored truncated to a byte. If no truncation is
2265 // needed, the replacement is done in LoadNode::Identity().
2266 //
2267 Node* LoadBNode::Ideal(PhaseGVN* phase, bool can_reshape) {
2268 Node* mem = in(MemNode::Memory);
2269 Node* value = can_see_stored_value(mem,phase);
2270 if (value != nullptr) {
2271 Node* narrow = Compile::narrow_value(T_BYTE, value, _type, phase, false);
2272 if (narrow != value) {
2273 return narrow;
2274 }
2275 }
2276 // Identity call will handle the case where truncation is not needed.
2277 return LoadNode::Ideal(phase, can_reshape);
2278 }
2279
2280 const Type* LoadBNode::Value(PhaseGVN* phase) const {
2281 Node* mem = in(MemNode::Memory);
2282 Node* value = can_see_stored_value(mem,phase);
2283 if (value != nullptr && value->is_Con() &&
2284 !value->bottom_type()->higher_equal(_type)) {
2285 // If the input to the store does not fit with the load's result type,
2286 // it must be truncated. We can't delay until Ideal call since
2287 // a singleton Value is needed for split_thru_phi optimization.
2288 int con = value->get_int();
2289 return TypeInt::make((con << 24) >> 24);
2290 }
2291 return LoadNode::Value(phase);
2292 }
2293
2294 //--------------------------LoadUBNode::Ideal-------------------------------------
2295 //
2296 // If the previous store is to the same address as this load,
2297 // and the value stored was larger than a byte, replace this load
2298 // with the value stored truncated to a byte. If no truncation is
2299 // needed, the replacement is done in LoadNode::Identity().
2300 //
2301 Node* LoadUBNode::Ideal(PhaseGVN* phase, bool can_reshape) {
2302 Node* mem = in(MemNode::Memory);
2303 Node* value = can_see_stored_value(mem, phase);
2304 if (value != nullptr) {
2305 Node* narrow = Compile::narrow_value(T_BOOLEAN, value, _type, phase, false);
2306 if (narrow != value) {
2307 return narrow;
2308 }
2309 }
2310 // Identity call will handle the case where truncation is not needed.
2311 return LoadNode::Ideal(phase, can_reshape);
2312 }
2313
2314 const Type* LoadUBNode::Value(PhaseGVN* phase) const {
2315 Node* mem = in(MemNode::Memory);
2316 Node* value = can_see_stored_value(mem,phase);
2317 if (value != nullptr && value->is_Con() &&
2318 !value->bottom_type()->higher_equal(_type)) {
2319 // If the input to the store does not fit with the load's result type,
2320 // it must be truncated. We can't delay until Ideal call since
2321 // a singleton Value is needed for split_thru_phi optimization.
2322 int con = value->get_int();
2323 return TypeInt::make(con & 0xFF);
2324 }
2325 return LoadNode::Value(phase);
2326 }
2327
2328 //--------------------------LoadUSNode::Ideal-------------------------------------
2329 //
2330 // If the previous store is to the same address as this load,
2331 // and the value stored was larger than a char, replace this load
2332 // with the value stored truncated to a char. If no truncation is
2333 // needed, the replacement is done in LoadNode::Identity().
2334 //
2335 Node* LoadUSNode::Ideal(PhaseGVN* phase, bool can_reshape) {
2336 Node* mem = in(MemNode::Memory);
2337 Node* value = can_see_stored_value(mem,phase);
2338 if (value != nullptr) {
2339 Node* narrow = Compile::narrow_value(T_CHAR, value, _type, phase, false);
2340 if (narrow != value) {
2341 return narrow;
2342 }
2343 }
2344 // Identity call will handle the case where truncation is not needed.
2345 return LoadNode::Ideal(phase, can_reshape);
2346 }
2347
2348 const Type* LoadUSNode::Value(PhaseGVN* phase) const {
2349 Node* mem = in(MemNode::Memory);
2350 Node* value = can_see_stored_value(mem,phase);
2351 if (value != nullptr && value->is_Con() &&
2352 !value->bottom_type()->higher_equal(_type)) {
2353 // If the input to the store does not fit with the load's result type,
2354 // it must be truncated. We can't delay until Ideal call since
2355 // a singleton Value is needed for split_thru_phi optimization.
2356 int con = value->get_int();
2357 return TypeInt::make(con & 0xFFFF);
2358 }
2359 return LoadNode::Value(phase);
2360 }
2361
2362 //--------------------------LoadSNode::Ideal--------------------------------------
2363 //
2364 // If the previous store is to the same address as this load,
2365 // and the value stored was larger than a short, replace this load
2366 // with the value stored truncated to a short. If no truncation is
2367 // needed, the replacement is done in LoadNode::Identity().
2368 //
2369 Node* LoadSNode::Ideal(PhaseGVN* phase, bool can_reshape) {
2370 Node* mem = in(MemNode::Memory);
2371 Node* value = can_see_stored_value(mem,phase);
2372 if (value != nullptr) {
2373 Node* narrow = Compile::narrow_value(T_SHORT, value, _type, phase, false);
2374 if (narrow != value) {
2375 return narrow;
2376 }
2377 }
2378 // Identity call will handle the case where truncation is not needed.
2379 return LoadNode::Ideal(phase, can_reshape);
2380 }
2381
2382 const Type* LoadSNode::Value(PhaseGVN* phase) const {
2383 Node* mem = in(MemNode::Memory);
2384 Node* value = can_see_stored_value(mem,phase);
2385 if (value != nullptr && value->is_Con() &&
2386 !value->bottom_type()->higher_equal(_type)) {
2387 // If the input to the store does not fit with the load's result type,
2388 // it must be truncated. We can't delay until Ideal call since
2389 // a singleton Value is needed for split_thru_phi optimization.
2390 int con = value->get_int();
2391 return TypeInt::make((con << 16) >> 16);
2392 }
2393 return LoadNode::Value(phase);
2394 }
2395
2396 //=============================================================================
2397 //----------------------------LoadKlassNode::make------------------------------
2398 // Polymorphic factory method:
2399 Node* LoadKlassNode::make(PhaseGVN& gvn, Node* mem, Node* adr, const TypePtr* at, const TypeKlassPtr* tk) {
2400 // sanity check the alias category against the created node type
2401 const TypePtr* adr_type = adr->bottom_type()->isa_ptr();
2402 assert(adr_type != nullptr, "expecting TypeKlassPtr");
2403 #ifdef _LP64
2404 if (adr_type->is_ptr_to_narrowklass()) {
2405 assert(UseCompressedClassPointers, "no compressed klasses");
2406 Node* load_klass = gvn.transform(new LoadNKlassNode(mem, adr, at, tk->make_narrowklass(), MemNode::unordered));
2407 return new DecodeNKlassNode(load_klass, load_klass->bottom_type()->make_ptr());
2408 }
2409 #endif
2410 assert(!adr_type->is_ptr_to_narrowklass() && !adr_type->is_ptr_to_narrowoop(), "should have got back a narrow oop");
2411 return new LoadKlassNode(mem, adr, at, tk, MemNode::unordered);
2412 }
2413
2414 //------------------------------Value------------------------------------------
2415 const Type* LoadKlassNode::Value(PhaseGVN* phase) const {
2416 return klass_value_common(phase);
2417 }
2418
2419 const Type* LoadNode::klass_value_common(PhaseGVN* phase) const {
2420 // Either input is TOP ==> the result is TOP
2421 const Type *t1 = phase->type( in(MemNode::Memory) );
2422 if (t1 == Type::TOP) return Type::TOP;
2423 Node *adr = in(MemNode::Address);
2424 const Type *t2 = phase->type( adr );
2425 if (t2 == Type::TOP) return Type::TOP;
2426 const TypePtr *tp = t2->is_ptr();
2427 if (TypePtr::above_centerline(tp->ptr()) ||
2428 tp->ptr() == TypePtr::Null) return Type::TOP;
2429
2430 // Return a more precise klass, if possible
2431 const TypeInstPtr *tinst = tp->isa_instptr();
2432 if (tinst != nullptr) {
2433 ciInstanceKlass* ik = tinst->instance_klass();
2434 int offset = tinst->offset();
2435 if (ik == phase->C->env()->Class_klass()
2436 && (offset == java_lang_Class::klass_offset() ||
2437 offset == java_lang_Class::array_klass_offset())) {
2438 // We are loading a special hidden field from a Class mirror object,
2439 // the field which points to the VM's Klass metaobject.
2440 ciType* t = tinst->java_mirror_type();
2441 // java_mirror_type returns non-null for compile-time Class constants.
2442 if (t != nullptr) {
2443 // constant oop => constant klass
2444 if (offset == java_lang_Class::array_klass_offset()) {
2445 if (t->is_void()) {
2446 // We cannot create a void array. Since void is a primitive type return null
2447 // klass. Users of this result need to do a null check on the returned klass.
2448 return TypePtr::NULL_PTR;
2449 }
2450 return TypeKlassPtr::make(ciArrayKlass::make(t), Type::trust_interfaces);
2451 }
2452 if (!t->is_klass()) {
2453 // a primitive Class (e.g., int.class) has null for a klass field
2454 return TypePtr::NULL_PTR;
2455 }
2456 // Fold up the load of the hidden field
2457 return TypeKlassPtr::make(t->as_klass(), Type::trust_interfaces);
2458 }
2459 // non-constant mirror, so we can't tell what's going on
2460 }
2461 if (!tinst->is_loaded())
2462 return _type; // Bail out if not loaded
2463 if (offset == oopDesc::klass_offset_in_bytes()) {
2464 return tinst->as_klass_type(true);
2465 }
2466 }
2467
2468 // Check for loading klass from an array
2469 const TypeAryPtr *tary = tp->isa_aryptr();
2470 if (tary != nullptr &&
2471 tary->offset() == oopDesc::klass_offset_in_bytes()) {
2472 return tary->as_klass_type(true);
2473 }
2474
2475 // Check for loading klass from an array klass
2476 const TypeKlassPtr *tkls = tp->isa_klassptr();
2477 if (tkls != nullptr && !StressReflectiveCode) {
2478 if (!tkls->is_loaded())
2479 return _type; // Bail out if not loaded
2480 if (tkls->isa_aryklassptr() && tkls->is_aryklassptr()->elem()->isa_klassptr() &&
2481 tkls->offset() == in_bytes(ObjArrayKlass::element_klass_offset())) {
2482 // // Always returning precise element type is incorrect,
2483 // // e.g., element type could be object and array may contain strings
2484 // return TypeKlassPtr::make(TypePtr::Constant, elem, 0);
2485
2486 // The array's TypeKlassPtr was declared 'precise' or 'not precise'
2487 // according to the element type's subclassing.
2488 return tkls->is_aryklassptr()->elem()->isa_klassptr()->cast_to_exactness(tkls->klass_is_exact());
2489 }
2490 if (tkls->isa_instklassptr() != nullptr && tkls->klass_is_exact() &&
2491 tkls->offset() == in_bytes(Klass::super_offset())) {
2492 ciKlass* sup = tkls->is_instklassptr()->instance_klass()->super();
2493 // The field is Klass::_super. Return its (constant) value.
2494 // (Folds up the 2nd indirection in aClassConstant.getSuperClass().)
2495 return sup ? TypeKlassPtr::make(sup, Type::trust_interfaces) : TypePtr::NULL_PTR;
2496 }
2497 }
2498
2499 if (tkls != nullptr && !UseSecondarySupersCache
2500 && tkls->offset() == in_bytes(Klass::secondary_super_cache_offset())) {
2501 // Treat Klass::_secondary_super_cache as a constant when the cache is disabled.
2502 return TypePtr::NULL_PTR;
2503 }
2504
2505 // Bailout case
2506 return LoadNode::Value(phase);
2507 }
2508
2509 //------------------------------Identity---------------------------------------
2510 // To clean up reflective code, simplify k.java_mirror.as_klass to plain k.
2511 // Also feed through the klass in Allocate(...klass...)._klass.
2512 Node* LoadKlassNode::Identity(PhaseGVN* phase) {
2513 return klass_identity_common(phase);
2514 }
2515
2516 Node* LoadNode::klass_identity_common(PhaseGVN* phase) {
2517 Node* x = LoadNode::Identity(phase);
2518 if (x != this) return x;
2519
2520 // Take apart the address into an oop and offset.
2521 // Return 'this' if we cannot.
2522 Node* adr = in(MemNode::Address);
2523 intptr_t offset = 0;
2524 Node* base = AddPNode::Ideal_base_and_offset(adr, phase, offset);
2525 if (base == nullptr) return this;
2526 const TypeOopPtr* toop = phase->type(adr)->isa_oopptr();
2527 if (toop == nullptr) return this;
2528
2529 // Step over potential GC barrier for OopHandle resolve
2530 BarrierSetC2* bs = BarrierSet::barrier_set()->barrier_set_c2();
2531 if (bs->is_gc_barrier_node(base)) {
2532 base = bs->step_over_gc_barrier(base);
2533 }
2534
2535 // We can fetch the klass directly through an AllocateNode.
2536 // This works even if the klass is not constant (clone or newArray).
2537 if (offset == oopDesc::klass_offset_in_bytes()) {
2538 Node* allocated_klass = AllocateNode::Ideal_klass(base, phase);
2539 if (allocated_klass != nullptr) {
2540 return allocated_klass;
2541 }
2542 }
2543
2544 // Simplify k.java_mirror.as_klass to plain k, where k is a Klass*.
2545 // See inline_native_Class_query for occurrences of these patterns.
2546 // Java Example: x.getClass().isAssignableFrom(y)
2547 //
2548 // This improves reflective code, often making the Class
2549 // mirror go completely dead. (Current exception: Class
2550 // mirrors may appear in debug info, but we could clean them out by
2551 // introducing a new debug info operator for Klass.java_mirror).
2552
2553 if (toop->isa_instptr() && toop->is_instptr()->instance_klass() == phase->C->env()->Class_klass()
2554 && offset == java_lang_Class::klass_offset()) {
2555 if (base->is_Load()) {
2556 Node* base2 = base->in(MemNode::Address);
2557 if (base2->is_Load()) { /* direct load of a load which is the OopHandle */
2558 Node* adr2 = base2->in(MemNode::Address);
2559 const TypeKlassPtr* tkls = phase->type(adr2)->isa_klassptr();
2560 if (tkls != nullptr && !tkls->empty()
2561 && (tkls->isa_instklassptr() || tkls->isa_aryklassptr())
2562 && adr2->is_AddP()
2563 ) {
2564 int mirror_field = in_bytes(Klass::java_mirror_offset());
2565 if (tkls->offset() == mirror_field) {
2566 #ifdef ASSERT
2567 const TypeKlassPtr* tkls2 = phase->type(adr2->in(AddPNode::Address))->is_klassptr();
2568 assert(tkls2->offset() == 0, "not a load of java_mirror");
2569 #endif
2570 assert(adr2->in(AddPNode::Base)->is_top(), "not an off heap load");
2571 assert(adr2->in(AddPNode::Offset)->find_intptr_t_con(-1) == in_bytes(Klass::java_mirror_offset()), "incorrect offset");
2572 return adr2->in(AddPNode::Address);
2573 }
2574 }
2575 }
2576 }
2577 }
2578
2579 return this;
2580 }
2581
2582 LoadNode* LoadNode::clone_pinned() const {
2583 LoadNode* ld = clone()->as_Load();
2584 ld->_control_dependency = UnknownControl;
2585 return ld;
2586 }
2587
2588
2589 //------------------------------Value------------------------------------------
2590 const Type* LoadNKlassNode::Value(PhaseGVN* phase) const {
2591 const Type *t = klass_value_common(phase);
2592 if (t == Type::TOP)
2593 return t;
2594
2595 return t->make_narrowklass();
2596 }
2597
2598 //------------------------------Identity---------------------------------------
2599 // To clean up reflective code, simplify k.java_mirror.as_klass to narrow k.
2600 // Also feed through the klass in Allocate(...klass...)._klass.
2601 Node* LoadNKlassNode::Identity(PhaseGVN* phase) {
2602 Node *x = klass_identity_common(phase);
2603
2604 const Type *t = phase->type( x );
2605 if( t == Type::TOP ) return x;
2606 if( t->isa_narrowklass()) return x;
2607 assert (!t->isa_narrowoop(), "no narrow oop here");
2608
2609 return phase->transform(new EncodePKlassNode(x, t->make_narrowklass()));
2610 }
2611
2612 //------------------------------Value-----------------------------------------
2613 const Type* LoadRangeNode::Value(PhaseGVN* phase) const {
2614 // Either input is TOP ==> the result is TOP
2615 const Type *t1 = phase->type( in(MemNode::Memory) );
2616 if( t1 == Type::TOP ) return Type::TOP;
2617 Node *adr = in(MemNode::Address);
2618 const Type *t2 = phase->type( adr );
2619 if( t2 == Type::TOP ) return Type::TOP;
2620 const TypePtr *tp = t2->is_ptr();
2621 if (TypePtr::above_centerline(tp->ptr())) return Type::TOP;
2622 const TypeAryPtr *tap = tp->isa_aryptr();
2623 if( !tap ) return _type;
2624 return tap->size();
2625 }
2626
2627 //-------------------------------Ideal---------------------------------------
2628 // Feed through the length in AllocateArray(...length...)._length.
2629 Node *LoadRangeNode::Ideal(PhaseGVN *phase, bool can_reshape) {
2630 Node* p = MemNode::Ideal_common(phase, can_reshape);
2631 if (p) return (p == NodeSentinel) ? nullptr : p;
2632
2633 // Take apart the address into an oop and offset.
2634 // Return 'this' if we cannot.
2635 Node* adr = in(MemNode::Address);
2636 intptr_t offset = 0;
2637 Node* base = AddPNode::Ideal_base_and_offset(adr, phase, offset);
2638 if (base == nullptr) return nullptr;
2639 const TypeAryPtr* tary = phase->type(adr)->isa_aryptr();
2640 if (tary == nullptr) return nullptr;
2641
2642 // We can fetch the length directly through an AllocateArrayNode.
2643 // This works even if the length is not constant (clone or newArray).
2644 if (offset == arrayOopDesc::length_offset_in_bytes()) {
2645 AllocateArrayNode* alloc = AllocateArrayNode::Ideal_array_allocation(base);
2646 if (alloc != nullptr) {
2647 Node* allocated_length = alloc->Ideal_length();
2648 Node* len = alloc->make_ideal_length(tary, phase);
2649 if (allocated_length != len) {
2650 // New CastII improves on this.
2651 return len;
2652 }
2653 }
2654 }
2655
2656 return nullptr;
2657 }
2658
2659 //------------------------------Identity---------------------------------------
2660 // Feed through the length in AllocateArray(...length...)._length.
2661 Node* LoadRangeNode::Identity(PhaseGVN* phase) {
2662 Node* x = LoadINode::Identity(phase);
2663 if (x != this) return x;
2664
2665 // Take apart the address into an oop and offset.
2666 // Return 'this' if we cannot.
2667 Node* adr = in(MemNode::Address);
2668 intptr_t offset = 0;
2669 Node* base = AddPNode::Ideal_base_and_offset(adr, phase, offset);
2670 if (base == nullptr) return this;
2671 const TypeAryPtr* tary = phase->type(adr)->isa_aryptr();
2672 if (tary == nullptr) return this;
2673
2674 // We can fetch the length directly through an AllocateArrayNode.
2675 // This works even if the length is not constant (clone or newArray).
2676 if (offset == arrayOopDesc::length_offset_in_bytes()) {
2677 AllocateArrayNode* alloc = AllocateArrayNode::Ideal_array_allocation(base);
2678 if (alloc != nullptr) {
2679 Node* allocated_length = alloc->Ideal_length();
2680 // Do not allow make_ideal_length to allocate a CastII node.
2681 Node* len = alloc->make_ideal_length(tary, phase, false);
2682 if (allocated_length == len) {
2683 // Return allocated_length only if it would not be improved by a CastII.
2684 return allocated_length;
2685 }
2686 }
2687 }
2688
2689 return this;
2690
2691 }
2692
2693 //=============================================================================
2694 //---------------------------StoreNode::make-----------------------------------
2695 // Polymorphic factory method:
2696 StoreNode* StoreNode::make(PhaseGVN& gvn, Node* ctl, Node* mem, Node* adr, const TypePtr* adr_type, Node* val, BasicType bt, MemOrd mo, bool require_atomic_access) {
2697 assert((mo == unordered || mo == release), "unexpected");
2698 Compile* C = gvn.C;
2699 assert(C->get_alias_index(adr_type) != Compile::AliasIdxRaw ||
2700 ctl != nullptr, "raw memory operations should have control edge");
2701
2702 switch (bt) {
2703 case T_BOOLEAN: val = gvn.transform(new AndINode(val, gvn.intcon(0x1))); // Fall through to T_BYTE case
2704 case T_BYTE: return new StoreBNode(ctl, mem, adr, adr_type, val, mo);
2705 case T_INT: return new StoreINode(ctl, mem, adr, adr_type, val, mo);
2706 case T_CHAR:
2707 case T_SHORT: return new StoreCNode(ctl, mem, adr, adr_type, val, mo);
2708 case T_LONG: return new StoreLNode(ctl, mem, adr, adr_type, val, mo, require_atomic_access);
2709 case T_FLOAT: return new StoreFNode(ctl, mem, adr, adr_type, val, mo);
2710 case T_DOUBLE: return new StoreDNode(ctl, mem, adr, adr_type, val, mo, require_atomic_access);
2711 case T_METADATA:
2712 case T_ADDRESS:
2713 case T_OBJECT:
2714 #ifdef _LP64
2715 if (adr->bottom_type()->is_ptr_to_narrowoop()) {
2716 val = gvn.transform(new EncodePNode(val, val->bottom_type()->make_narrowoop()));
2717 return new StoreNNode(ctl, mem, adr, adr_type, val, mo);
2718 } else if (adr->bottom_type()->is_ptr_to_narrowklass() ||
2719 (UseCompressedClassPointers && val->bottom_type()->isa_klassptr() &&
2720 adr->bottom_type()->isa_rawptr())) {
2721 val = gvn.transform(new EncodePKlassNode(val, val->bottom_type()->make_narrowklass()));
2722 return new StoreNKlassNode(ctl, mem, adr, adr_type, val, mo);
2723 }
2724 #endif
2725 {
2726 return new StorePNode(ctl, mem, adr, adr_type, val, mo);
2727 }
2728 default:
2729 ShouldNotReachHere();
2730 return (StoreNode*)nullptr;
2731 }
2732 }
2733
2734 //--------------------------bottom_type----------------------------------------
2735 const Type *StoreNode::bottom_type() const {
2736 return Type::MEMORY;
2737 }
2738
2739 //------------------------------hash-------------------------------------------
2740 uint StoreNode::hash() const {
2741 // unroll addition of interesting fields
2742 //return (uintptr_t)in(Control) + (uintptr_t)in(Memory) + (uintptr_t)in(Address) + (uintptr_t)in(ValueIn);
2743
2744 // Since they are not commoned, do not hash them:
2745 return NO_HASH;
2746 }
2747
2748 // Link together multiple stores (B/S/C/I) into a longer one.
2749 //
2750 // Example: _store = StoreB[i+3]
2751 //
2752 // RangeCheck[i+0] RangeCheck[i+0]
2753 // StoreB[i+0]
2754 // RangeCheck[i+3] RangeCheck[i+3]
2755 // StoreB[i+1] --> pass: fail:
2756 // StoreB[i+2] StoreI[i+0] StoreB[i+0]
2757 // StoreB[i+3]
2758 //
2759 // The 4 StoreB are merged into a single StoreI node. We have to be careful with RangeCheck[i+1]: before
2760 // the optimization, if this RangeCheck[i+1] fails, then we execute only StoreB[i+0], and then trap. After
2761 // the optimization, the new StoreI[i+0] is on the passing path of RangeCheck[i+3], and StoreB[i+0] on the
2762 // failing path.
2763 //
2764 // Note: For normal array stores, every store at first has a RangeCheck. But they can be removed with:
2765 // - RCE (RangeCheck Elimination): the RangeChecks in the loop are hoisted out and before the loop,
2766 // and possibly no RangeChecks remain between the stores.
2767 // - RangeCheck smearing: the earlier RangeChecks are adjusted such that they cover later RangeChecks,
2768 // and those later RangeChecks can be removed. Example:
2769 //
2770 // RangeCheck[i+0] RangeCheck[i+0] <- before first store
2771 // StoreB[i+0] StoreB[i+0] <- first store
2772 // RangeCheck[i+1] --> smeared --> RangeCheck[i+3] <- only RC between first and last store
2773 // StoreB[i+1] StoreB[i+1] <- second store
2774 // RangeCheck[i+2] --> removed
2775 // StoreB[i+2] StoreB[i+2]
2776 // RangeCheck[i+3] --> removed
2777 // StoreB[i+3] StoreB[i+3] <- last store
2778 //
2779 // Thus, it is a common pattern that between the first and last store in a chain
2780 // of adjacent stores there remains exactly one RangeCheck, located between the
2781 // first and the second store (e.g. RangeCheck[i+3]).
2782 //
2783 class MergePrimitiveStores : public StackObj {
2784 private:
2785 PhaseGVN* const _phase;
2786 StoreNode* const _store;
2787 // State machine with initial state Unknown
2788 // Allowed transitions:
2789 // Unknown -> Const
2790 // Unknown -> Platform
2791 // Unknown -> Reverse
2792 // Unknown -> NotAdjacent
2793 // Const -> Const
2794 // Const -> NotAdjacent
2795 // Platform -> Platform
2796 // Platform -> NotAdjacent
2797 // Reverse -> Reverse
2798 // Reverse -> NotAdjacent
2799 // NotAdjacent -> NotAdjacent
2800 enum ValueOrder : uint8_t {
2801 Unknown, // Initial state
2802 Const, // Input values are const
2803 Platform, // Platform order
2804 Reverse, // Reverse platform order
2805 NotAdjacent // Not adjacent
2806 };
2807 ValueOrder _value_order;
2808
2809 NOT_PRODUCT( const CHeapBitMap &_trace_tags; )
2810
2811 public:
2812 MergePrimitiveStores(PhaseGVN* phase, StoreNode* store) :
2813 _phase(phase), _store(store), _value_order(ValueOrder::Unknown)
2814 NOT_PRODUCT( COMMA _trace_tags(Compile::current()->directive()->trace_merge_stores_tags()) )
2815 {}
2816
2817 StoreNode* run();
2818
2819 private:
2820 bool is_compatible_store(const StoreNode* other_store) const;
2821 bool is_adjacent_pair(const StoreNode* use_store, const StoreNode* def_store) const;
2822 bool is_adjacent_input_pair(const Node* n1, const Node* n2, const int memory_size) const;
2823 static bool is_con_RShift(const Node* n, Node const*& base_out, jint& shift_out, PhaseGVN* phase);
2824 enum CFGStatus { SuccessNoRangeCheck, SuccessWithRangeCheck, Failure };
2825 static CFGStatus cfg_status_for_pair(const StoreNode* use_store, const StoreNode* def_store);
2826
2827 class Status {
2828 private:
2829 StoreNode* _found_store;
2830 bool _found_range_check;
2831
2832 Status(StoreNode* found_store, bool found_range_check)
2833 : _found_store(found_store), _found_range_check(found_range_check) {}
2834
2835 public:
2836 StoreNode* found_store() const { return _found_store; }
2837 bool found_range_check() const { return _found_range_check; }
2838 static Status make_failure() { return Status(nullptr, false); }
2839
2840 static Status make(StoreNode* found_store, const CFGStatus cfg_status) {
2841 if (cfg_status == CFGStatus::Failure) {
2842 return Status::make_failure();
2843 }
2844 return Status(found_store, cfg_status == CFGStatus::SuccessWithRangeCheck);
2845 }
2846
2847 #ifndef PRODUCT
2848 void print_on(outputStream* st) const {
2849 if (_found_store == nullptr) {
2850 st->print_cr("None");
2851 } else {
2852 st->print_cr("Found[%d %s, %s]", _found_store->_idx, _found_store->Name(),
2853 _found_range_check ? "RC" : "no-RC");
2854 }
2855 }
2856 #endif
2857 };
2858
2859 enum ValueOrder find_adjacent_input_value_order(const Node* n1, const Node* n2, const int memory_size) const;
2860 Status find_adjacent_use_store(const StoreNode* def_store) const;
2861 Status find_adjacent_def_store(const StoreNode* use_store) const;
2862 Status find_use_store(const StoreNode* def_store) const;
2863 Status find_def_store(const StoreNode* use_store) const;
2864 Status find_use_store_unidirectional(const StoreNode* def_store) const;
2865 Status find_def_store_unidirectional(const StoreNode* use_store) const;
2866
2867 void collect_merge_list(Node_List& merge_list) const;
2868 Node* make_merged_input_value(const Node_List& merge_list);
2869 StoreNode* make_merged_store(const Node_List& merge_list, Node* merged_input_value);
2870
2871 #ifndef PRODUCT
2872 // Access to TraceMergeStores tags
2873 bool is_trace(TraceMergeStores::Tag tag) const {
2874 return _trace_tags.at(tag);
2875 }
2876
2877 bool is_trace_basic() const {
2878 return is_trace(TraceMergeStores::Tag::BASIC);
2879 }
2880
2881 bool is_trace_pointer_parsing() const {
2882 return is_trace(TraceMergeStores::Tag::POINTER_PARSING);
2883 }
2884
2885 bool is_trace_pointer_aliasing() const {
2886 return is_trace(TraceMergeStores::Tag::POINTER_ALIASING);
2887 }
2888
2889 bool is_trace_pointer_adjacency() const {
2890 return is_trace(TraceMergeStores::Tag::POINTER_ADJACENCY);
2891 }
2892
2893 bool is_trace_success() const {
2894 return is_trace(TraceMergeStores::Tag::SUCCESS);
2895 }
2896 #endif
2897
2898 NOT_PRODUCT( void trace(const Node_List& merge_list, const Node* merged_input_value, const StoreNode* merged_store) const; )
2899 };
2900
2901 StoreNode* MergePrimitiveStores::run() {
2902 // Check for B/S/C/I
2903 int opc = _store->Opcode();
2904 if (opc != Op_StoreB && opc != Op_StoreC && opc != Op_StoreI) {
2905 return nullptr;
2906 }
2907
2908 NOT_PRODUCT( if (is_trace_basic()) { tty->print("[TraceMergeStores] MergePrimitiveStores::run: "); _store->dump(); })
2909
2910 // The _store must be the "last" store in a chain. If we find a use we could merge with
2911 // then that use or a store further down is the "last" store.
2912 Status status_use = find_adjacent_use_store(_store);
2913 NOT_PRODUCT( if (is_trace_basic()) { tty->print("[TraceMergeStores] expect no use: "); status_use.print_on(tty); })
2914 if (status_use.found_store() != nullptr) {
2915 return nullptr;
2916 }
2917
2918 // Check if we can merge with at least one def, so that we have at least 2 stores to merge.
2919 Status status_def = find_adjacent_def_store(_store);
2920 NOT_PRODUCT( if (is_trace_basic()) { tty->print("[TraceMergeStores] expect def: "); status_def.print_on(tty); })
2921 Node* def_store = status_def.found_store();
2922 if (def_store == nullptr) {
2923 return nullptr;
2924 }
2925
2926 // Initialize value order
2927 _value_order = find_adjacent_input_value_order(def_store->in(MemNode::ValueIn),
2928 _store->in(MemNode::ValueIn),
2929 _store->memory_size());
2930 assert(_value_order != ValueOrder::NotAdjacent && _value_order != ValueOrder::Unknown, "Order should be checked");
2931
2932 ResourceMark rm;
2933 Node_List merge_list;
2934 collect_merge_list(merge_list);
2935
2936 Node* merged_input_value = make_merged_input_value(merge_list);
2937 if (merged_input_value == nullptr) { return nullptr; }
2938
2939 StoreNode* merged_store = make_merged_store(merge_list, merged_input_value);
2940
2941 NOT_PRODUCT( if (is_trace_success()) { trace(merge_list, merged_input_value, merged_store); } )
2942
2943 return merged_store;
2944 }
2945
2946 // Check compatibility between _store and other_store.
2947 bool MergePrimitiveStores::is_compatible_store(const StoreNode* other_store) const {
2948 int opc = _store->Opcode();
2949 assert(opc == Op_StoreB || opc == Op_StoreC || opc == Op_StoreI, "precondition");
2950
2951 if (other_store == nullptr ||
2952 _store->Opcode() != other_store->Opcode()) {
2953 return false;
2954 }
2955
2956 return true;
2957 }
2958
2959 bool MergePrimitiveStores::is_adjacent_pair(const StoreNode* use_store, const StoreNode* def_store) const {
2960 if (!is_adjacent_input_pair(def_store->in(MemNode::ValueIn),
2961 use_store->in(MemNode::ValueIn),
2962 def_store->memory_size())) {
2963 return false;
2964 }
2965
2966 ResourceMark rm;
2967 #ifndef PRODUCT
2968 const TraceMemPointer trace(is_trace_pointer_parsing(),
2969 is_trace_pointer_aliasing(),
2970 is_trace_pointer_adjacency(),
2971 true);
2972 #endif
2973 const MemPointer pointer_use(use_store NOT_PRODUCT(COMMA trace));
2974 const MemPointer pointer_def(def_store NOT_PRODUCT(COMMA trace));
2975 return pointer_def.is_adjacent_to_and_before(pointer_use);
2976 }
2977
2978 // Check input values n1 and n2 can be merged and return the value order
2979 MergePrimitiveStores::ValueOrder MergePrimitiveStores::find_adjacent_input_value_order(const Node* n1, const Node* n2,
2980 const int memory_size) const {
2981 // Pattern: [n1 = ConI, n2 = ConI]
2982 if (n1->Opcode() == Op_ConI && n2->Opcode() == Op_ConI) {
2983 return ValueOrder::Const;
2984 }
2985
2986 Node const *base_n2;
2987 jint shift_n2;
2988 if (!is_con_RShift(n2, base_n2, shift_n2, _phase)) {
2989 return ValueOrder::NotAdjacent;
2990 }
2991 Node const *base_n1;
2992 jint shift_n1;
2993 if (!is_con_RShift(n1, base_n1, shift_n1, _phase)) {
2994 return ValueOrder::NotAdjacent;
2995 }
2996
2997 int bits_per_store = memory_size * 8;
2998 if (base_n1 != base_n2 ||
2999 abs(shift_n1 - shift_n2) != bits_per_store ||
3000 shift_n1 % bits_per_store != 0) {
3001 // Values are not adjacent
3002 return ValueOrder::NotAdjacent;
3003 }
3004
3005 // Detect value order
3006 #ifdef VM_LITTLE_ENDIAN
3007 return shift_n1 < shift_n2 ? ValueOrder::Platform // Pattern: [n1 = base >> shift, n2 = base >> (shift + memory_size)]
3008 : ValueOrder::Reverse; // Pattern: [n1 = base >> (shift + memory_size), n2 = base >> shift]
3009 #else
3010 return shift_n1 > shift_n2 ? ValueOrder::Platform // Pattern: [n1 = base >> (shift + memory_size), n2 = base >> shift]
3011 : ValueOrder::Reverse; // Pattern: [n1 = base >> shift, n2 = base >> (shift + memory_size)]
3012 #endif
3013 }
3014
3015 bool MergePrimitiveStores::is_adjacent_input_pair(const Node* n1, const Node* n2, const int memory_size) const {
3016 ValueOrder input_value_order = find_adjacent_input_value_order(n1, n2, memory_size);
3017
3018 switch (input_value_order) {
3019 case ValueOrder::NotAdjacent:
3020 return false;
3021 case ValueOrder::Reverse:
3022 if (memory_size != 1 ||
3023 !Matcher::match_rule_supported(Op_ReverseBytesS) ||
3024 !Matcher::match_rule_supported(Op_ReverseBytesI) ||
3025 !Matcher::match_rule_supported(Op_ReverseBytesL)) {
3026 // ReverseBytes are not supported by platform
3027 return false;
3028 }
3029 // fall-through.
3030 case ValueOrder::Const:
3031 case ValueOrder::Platform:
3032 if (_value_order == ValueOrder::Unknown) {
3033 // Initial state is Unknown, and we find a valid input value order
3034 return true;
3035 }
3036 // The value order can not be changed
3037 return _value_order == input_value_order;
3038 case ValueOrder::Unknown:
3039 default:
3040 ShouldNotReachHere();
3041 }
3042 return false;
3043 }
3044
3045 // Detect pattern: n = base_out >> shift_out
3046 bool MergePrimitiveStores::is_con_RShift(const Node* n, Node const*& base_out, jint& shift_out, PhaseGVN* phase) {
3047 assert(n != nullptr, "precondition");
3048
3049 int opc = n->Opcode();
3050 if (opc == Op_ConvL2I) {
3051 n = n->in(1);
3052 opc = n->Opcode();
3053 }
3054
3055 if ((opc == Op_RShiftI ||
3056 opc == Op_RShiftL ||
3057 opc == Op_URShiftI ||
3058 opc == Op_URShiftL) &&
3059 n->in(2)->is_ConI()) {
3060 base_out = n->in(1);
3061 shift_out = n->in(2)->get_int();
3062 // The shift must be positive:
3063 return shift_out >= 0;
3064 }
3065
3066 if (phase->type(n)->isa_int() != nullptr ||
3067 phase->type(n)->isa_long() != nullptr) {
3068 // (base >> 0)
3069 base_out = n;
3070 shift_out = 0;
3071 return true;
3072 }
3073 return false;
3074 }
3075
3076 // Check if there is nothing between the two stores, except optionally a RangeCheck leading to an uncommon trap.
3077 MergePrimitiveStores::CFGStatus MergePrimitiveStores::cfg_status_for_pair(const StoreNode* use_store, const StoreNode* def_store) {
3078 assert(use_store->in(MemNode::Memory) == def_store, "use-def relationship");
3079
3080 Node* ctrl_use = use_store->in(MemNode::Control);
3081 Node* ctrl_def = def_store->in(MemNode::Control);
3082 if (ctrl_use == nullptr || ctrl_def == nullptr) {
3083 return CFGStatus::Failure;
3084 }
3085
3086 if (ctrl_use == ctrl_def) {
3087 // Same ctrl -> no RangeCheck in between.
3088 // Check: use_store must be the only use of def_store.
3089 if (def_store->outcnt() > 1) {
3090 return CFGStatus::Failure;
3091 }
3092 return CFGStatus::SuccessNoRangeCheck;
3093 }
3094
3095 // Different ctrl -> could have RangeCheck in between.
3096 // Check: 1. def_store only has these uses: use_store and MergeMem for uncommon trap, and
3097 // 2. ctrl separated by RangeCheck.
3098 if (def_store->outcnt() != 2) {
3099 return CFGStatus::Failure; // Cannot have exactly these uses: use_store and MergeMem for uncommon trap.
3100 }
3101 int use_store_out_idx = def_store->raw_out(0) == use_store ? 0 : 1;
3102 Node* merge_mem = def_store->raw_out(1 - use_store_out_idx)->isa_MergeMem();
3103 if (merge_mem == nullptr ||
3104 merge_mem->outcnt() != 1) {
3105 return CFGStatus::Failure; // Does not have MergeMem for uncommon trap.
3106 }
3107 if (!ctrl_use->is_IfProj() ||
3108 !ctrl_use->in(0)->is_RangeCheck() ||
3109 ctrl_use->in(0)->outcnt() != 2) {
3110 return CFGStatus::Failure; // Not RangeCheck.
3111 }
3112 IfProjNode* other_proj = ctrl_use->as_IfProj()->other_if_proj();
3113 Node* trap = other_proj->is_uncommon_trap_proj(Deoptimization::Reason_range_check);
3114 if (trap != merge_mem->unique_out() ||
3115 ctrl_use->in(0)->in(0) != ctrl_def) {
3116 return CFGStatus::Failure; // Not RangeCheck with merge_mem leading to uncommon trap.
3117 }
3118
3119 return CFGStatus::SuccessWithRangeCheck;
3120 }
3121
3122 MergePrimitiveStores::Status MergePrimitiveStores::find_adjacent_use_store(const StoreNode* def_store) const {
3123 Status status_use = find_use_store(def_store);
3124 StoreNode* use_store = status_use.found_store();
3125 if (use_store != nullptr && !is_adjacent_pair(use_store, def_store)) {
3126 return Status::make_failure();
3127 }
3128 return status_use;
3129 }
3130
3131 MergePrimitiveStores::Status MergePrimitiveStores::find_adjacent_def_store(const StoreNode* use_store) const {
3132 Status status_def = find_def_store(use_store);
3133 StoreNode* def_store = status_def.found_store();
3134 if (def_store != nullptr && !is_adjacent_pair(use_store, def_store)) {
3135 return Status::make_failure();
3136 }
3137 return status_def;
3138 }
3139
3140 MergePrimitiveStores::Status MergePrimitiveStores::find_use_store(const StoreNode* def_store) const {
3141 Status status_use = find_use_store_unidirectional(def_store);
3142
3143 #ifdef ASSERT
3144 StoreNode* use_store = status_use.found_store();
3145 if (use_store != nullptr) {
3146 Status status_def = find_def_store_unidirectional(use_store);
3147 assert(status_def.found_store() == def_store &&
3148 status_def.found_range_check() == status_use.found_range_check(),
3149 "find_use_store and find_def_store must be symmetric");
3150 }
3151 #endif
3152
3153 return status_use;
3154 }
3155
3156 MergePrimitiveStores::Status MergePrimitiveStores::find_def_store(const StoreNode* use_store) const {
3157 Status status_def = find_def_store_unidirectional(use_store);
3158
3159 #ifdef ASSERT
3160 StoreNode* def_store = status_def.found_store();
3161 if (def_store != nullptr) {
3162 Status status_use = find_use_store_unidirectional(def_store);
3163 assert(status_use.found_store() == use_store &&
3164 status_use.found_range_check() == status_def.found_range_check(),
3165 "find_use_store and find_def_store must be symmetric");
3166 }
3167 #endif
3168
3169 return status_def;
3170 }
3171
3172 MergePrimitiveStores::Status MergePrimitiveStores::find_use_store_unidirectional(const StoreNode* def_store) const {
3173 assert(is_compatible_store(def_store), "precondition: must be compatible with _store");
3174
3175 for (DUIterator_Fast imax, i = def_store->fast_outs(imax); i < imax; i++) {
3176 StoreNode* use_store = def_store->fast_out(i)->isa_Store();
3177 if (is_compatible_store(use_store)) {
3178 return Status::make(use_store, cfg_status_for_pair(use_store, def_store));
3179 }
3180 }
3181
3182 return Status::make_failure();
3183 }
3184
3185 MergePrimitiveStores::Status MergePrimitiveStores::find_def_store_unidirectional(const StoreNode* use_store) const {
3186 assert(is_compatible_store(use_store), "precondition: must be compatible with _store");
3187
3188 StoreNode* def_store = use_store->in(MemNode::Memory)->isa_Store();
3189 if (!is_compatible_store(def_store)) {
3190 return Status::make_failure();
3191 }
3192
3193 return Status::make(def_store, cfg_status_for_pair(use_store, def_store));
3194 }
3195
3196 void MergePrimitiveStores::collect_merge_list(Node_List& merge_list) const {
3197 // The merged store can be at most 8 bytes.
3198 const uint merge_list_max_size = 8 / _store->memory_size();
3199 assert(merge_list_max_size >= 2 &&
3200 merge_list_max_size <= 8 &&
3201 is_power_of_2(merge_list_max_size),
3202 "must be 2, 4 or 8");
3203
3204 // Traverse up the chain of adjacent def stores.
3205 StoreNode* current = _store;
3206 merge_list.push(current);
3207 while (current != nullptr && merge_list.size() < merge_list_max_size) {
3208 Status status = find_adjacent_def_store(current);
3209 NOT_PRODUCT( if (is_trace_basic()) { tty->print("[TraceMergeStores] find def: "); status.print_on(tty); })
3210
3211 current = status.found_store();
3212 if (current != nullptr) {
3213 merge_list.push(current);
3214
3215 // We can have at most one RangeCheck.
3216 if (status.found_range_check()) {
3217 NOT_PRODUCT( if (is_trace_basic()) { tty->print_cr("[TraceMergeStores] found RangeCheck, stop traversal."); })
3218 break;
3219 }
3220 }
3221 }
3222
3223 NOT_PRODUCT( if (is_trace_basic()) { tty->print_cr("[TraceMergeStores] found:"); merge_list.dump(); })
3224
3225 // Truncate the merge_list to a power of 2.
3226 const uint pow2size = round_down_power_of_2(merge_list.size());
3227 assert(pow2size >= 2, "must be merging at least 2 stores");
3228 while (merge_list.size() > pow2size) { merge_list.pop(); }
3229
3230 NOT_PRODUCT( if (is_trace_basic()) { tty->print_cr("[TraceMergeStores] truncated:"); merge_list.dump(); })
3231 }
3232
3233 // Merge the input values of the smaller stores to a single larger input value.
3234 Node* MergePrimitiveStores::make_merged_input_value(const Node_List& merge_list) {
3235 int new_memory_size = _store->memory_size() * merge_list.size();
3236 Node* first = merge_list.at(merge_list.size()-1);
3237 Node* merged_input_value = nullptr;
3238 if (_store->in(MemNode::ValueIn)->Opcode() == Op_ConI) {
3239 assert(_value_order == ValueOrder::Const, "must match");
3240 // Pattern: [ConI, ConI, ...] -> new constant
3241 jlong con = 0;
3242 jlong bits_per_store = _store->memory_size() * 8;
3243 jlong mask = (((jlong)1) << bits_per_store) - 1;
3244 for (uint i = 0; i < merge_list.size(); i++) {
3245 jlong con_i = merge_list.at(i)->in(MemNode::ValueIn)->get_int();
3246 #ifdef VM_LITTLE_ENDIAN
3247 con = con << bits_per_store;
3248 con = con | (mask & con_i);
3249 #else // VM_LITTLE_ENDIAN
3250 con_i = (mask & con_i) << (i * bits_per_store);
3251 con = con | con_i;
3252 #endif // VM_LITTLE_ENDIAN
3253 }
3254 merged_input_value = _phase->longcon(con);
3255 } else {
3256 assert(_value_order == ValueOrder::Platform || _value_order == ValueOrder::Reverse, "must match");
3257 // Pattern: [base >> 24, base >> 16, base >> 8, base] -> base
3258 // | |
3259 // _store first
3260 //
3261 Node* hi = _store->in(MemNode::ValueIn);
3262 Node* lo = first->in(MemNode::ValueIn);
3263 #ifndef VM_LITTLE_ENDIAN
3264 // `_store` and `first` are swapped in the diagram above
3265 swap(hi, lo);
3266 #endif // !VM_LITTLE_ENDIAN
3267 if (_value_order == ValueOrder::Reverse) {
3268 swap(hi, lo);
3269 }
3270 Node const* hi_base;
3271 jint hi_shift;
3272 merged_input_value = lo;
3273 bool is_true = is_con_RShift(hi, hi_base, hi_shift, _phase);
3274 assert(is_true, "must detect con RShift");
3275 if (merged_input_value != hi_base && merged_input_value->Opcode() == Op_ConvL2I) {
3276 // look through
3277 merged_input_value = merged_input_value->in(1);
3278 }
3279 if (merged_input_value != hi_base) {
3280 // merged_input_value is not the base
3281 return nullptr;
3282 }
3283 }
3284
3285 if (_phase->type(merged_input_value)->isa_long() != nullptr && new_memory_size <= 4) {
3286 // Example:
3287 //
3288 // long base = ...;
3289 // a[0] = (byte)(base >> 0);
3290 // a[1] = (byte)(base >> 8);
3291 //
3292 merged_input_value = _phase->transform(new ConvL2INode(merged_input_value));
3293 }
3294
3295 assert((_phase->type(merged_input_value)->isa_int() != nullptr && new_memory_size <= 4) ||
3296 (_phase->type(merged_input_value)->isa_long() != nullptr && new_memory_size == 8),
3297 "merged_input_value is either int or long, and new_memory_size is small enough");
3298
3299 if (_value_order == ValueOrder::Reverse) {
3300 assert(_store->memory_size() == 1, "only implemented for bytes");
3301 if (new_memory_size == 8) {
3302 merged_input_value = _phase->transform(new ReverseBytesLNode(merged_input_value));
3303 } else if (new_memory_size == 4) {
3304 merged_input_value = _phase->transform(new ReverseBytesINode(merged_input_value));
3305 } else {
3306 assert(new_memory_size == 2, "sanity check");
3307 merged_input_value = _phase->transform(new ReverseBytesSNode(merged_input_value));
3308 }
3309 }
3310 return merged_input_value;
3311 }
3312
3313 // //
3314 // first_ctrl first_mem first_adr first_ctrl first_mem first_adr //
3315 // | | | | | | //
3316 // | | | | +---------------+ | //
3317 // | | | | | | | //
3318 // | | +---------+ | | +---------------+ //
3319 // | | | | | | | | //
3320 // +--------------+ | | v1 +------------------------------+ | | v1 //
3321 // | | | | | | | | | | | | //
3322 // RangeCheck first_store RangeCheck | | first_store //
3323 // | | | | | | | //
3324 // last_ctrl | +----> unc_trap last_ctrl | | +----> unc_trap //
3325 // | | ===> | | | //
3326 // +--------------+ | a2 v2 | | | //
3327 // | | | | | | | | //
3328 // | second_store | | | //
3329 // | | | | | [v1 v2 ... vn] //
3330 // ... ... | | | | //
3331 // | | | | | v //
3332 // +--------------+ | an vn +--------------+ | | merged_input_value //
3333 // | | | | | | | | //
3334 // last_store (= _store) merged_store //
3335 // //
3336 StoreNode* MergePrimitiveStores::make_merged_store(const Node_List& merge_list, Node* merged_input_value) {
3337 Node* first_store = merge_list.at(merge_list.size()-1);
3338 Node* last_ctrl = _store->in(MemNode::Control); // after (optional) RangeCheck
3339 Node* first_mem = first_store->in(MemNode::Memory);
3340 Node* first_adr = first_store->in(MemNode::Address);
3341
3342 const TypePtr* new_adr_type = _store->adr_type();
3343
3344 int new_memory_size = _store->memory_size() * merge_list.size();
3345 BasicType bt = T_ILLEGAL;
3346 switch (new_memory_size) {
3347 case 2: bt = T_SHORT; break;
3348 case 4: bt = T_INT; break;
3349 case 8: bt = T_LONG; break;
3350 }
3351
3352 StoreNode* merged_store = StoreNode::make(*_phase, last_ctrl, first_mem, first_adr,
3353 new_adr_type, merged_input_value, bt, MemNode::unordered);
3354
3355 // Marking the store mismatched is sufficient to prevent reordering, since array stores
3356 // are all on the same slice. Hence, we need no barriers.
3357 merged_store->set_mismatched_access();
3358
3359 // Constants above may now also be be packed -> put candidate on worklist
3360 _phase->is_IterGVN()->_worklist.push(first_mem);
3361
3362 return merged_store;
3363 }
3364
3365 #ifndef PRODUCT
3366 void MergePrimitiveStores::trace(const Node_List& merge_list, const Node* merged_input_value, const StoreNode* merged_store) const {
3367 stringStream ss;
3368 ss.print_cr("[TraceMergeStores]: Replace");
3369 for (int i = (int)merge_list.size() - 1; i >= 0; i--) {
3370 merge_list.at(i)->dump("\n", false, &ss);
3371 }
3372 ss.print_cr("[TraceMergeStores]: with");
3373 merged_input_value->dump("\n", false, &ss);
3374 merged_store->dump("\n", false, &ss);
3375 tty->print("%s", ss.as_string());
3376 }
3377 #endif
3378
3379 //------------------------------Ideal------------------------------------------
3380 // Change back-to-back Store(, p, x) -> Store(m, p, y) to Store(m, p, x).
3381 // When a store immediately follows a relevant allocation/initialization,
3382 // try to capture it into the initialization, or hoist it above.
3383 Node *StoreNode::Ideal(PhaseGVN *phase, bool can_reshape) {
3384 Node* p = MemNode::Ideal_common(phase, can_reshape);
3385 if (p) return (p == NodeSentinel) ? nullptr : p;
3386
3387 Node* mem = in(MemNode::Memory);
3388 Node* address = in(MemNode::Address);
3389 Node* value = in(MemNode::ValueIn);
3390 // Back-to-back stores to same address? Fold em up. Generally
3391 // unsafe if I have intervening uses.
3392 {
3393 Node* st = mem;
3394 // If Store 'st' has more than one use, we cannot fold 'st' away.
3395 // For example, 'st' might be the final state at a conditional
3396 // return. Or, 'st' might be used by some node which is live at
3397 // the same time 'st' is live, which might be unschedulable. So,
3398 // require exactly ONE user until such time as we clone 'mem' for
3399 // each of 'mem's uses (thus making the exactly-1-user-rule hold
3400 // true).
3401 while (st->is_Store() && st->outcnt() == 1) {
3402 // Looking at a dead closed cycle of memory?
3403 assert(st != st->in(MemNode::Memory), "dead loop in StoreNode::Ideal");
3404 assert(Opcode() == st->Opcode() ||
3405 st->Opcode() == Op_StoreVector ||
3406 Opcode() == Op_StoreVector ||
3407 st->Opcode() == Op_StoreVectorScatter ||
3408 Opcode() == Op_StoreVectorScatter ||
3409 phase->C->get_alias_index(adr_type()) == Compile::AliasIdxRaw ||
3410 (Opcode() == Op_StoreL && st->Opcode() == Op_StoreI) || // expanded ClearArrayNode
3411 (Opcode() == Op_StoreI && st->Opcode() == Op_StoreL) || // initialization by arraycopy
3412 (is_mismatched_access() || st->as_Store()->is_mismatched_access()),
3413 "no mismatched stores, except on raw memory: %s %s", NodeClassNames[Opcode()], NodeClassNames[st->Opcode()]);
3414
3415 if (st->in(MemNode::Address)->eqv_uncast(address) &&
3416 st->as_Store()->memory_size() <= this->memory_size()) {
3417 Node* use = st->raw_out(0);
3418 if (phase->is_IterGVN()) {
3419 phase->is_IterGVN()->rehash_node_delayed(use);
3420 }
3421 // It's OK to do this in the parser, since DU info is always accurate,
3422 // and the parser always refers to nodes via SafePointNode maps.
3423 use->set_req_X(MemNode::Memory, st->in(MemNode::Memory), phase);
3424 return this;
3425 }
3426 st = st->in(MemNode::Memory);
3427 }
3428 }
3429
3430
3431 // Capture an unaliased, unconditional, simple store into an initializer.
3432 // Or, if it is independent of the allocation, hoist it above the allocation.
3433 if (ReduceFieldZeroing && /*can_reshape &&*/
3434 mem->is_Proj() && mem->in(0)->is_Initialize()) {
3435 InitializeNode* init = mem->in(0)->as_Initialize();
3436 intptr_t offset = init->can_capture_store(this, phase, can_reshape);
3437 if (offset > 0) {
3438 Node* moved = init->capture_store(this, offset, phase, can_reshape);
3439 // If the InitializeNode captured me, it made a raw copy of me,
3440 // and I need to disappear.
3441 if (moved != nullptr) {
3442 // %%% hack to ensure that Ideal returns a new node:
3443 mem = MergeMemNode::make(mem);
3444 return mem; // fold me away
3445 }
3446 }
3447 }
3448
3449 // Fold reinterpret cast into memory operation:
3450 // StoreX mem (MoveY2X v) => StoreY mem v
3451 if (value->is_Move()) {
3452 const Type* vt = value->in(1)->bottom_type();
3453 if (has_reinterpret_variant(vt)) {
3454 if (phase->C->post_loop_opts_phase()) {
3455 return convert_to_reinterpret_store(*phase, value->in(1), vt);
3456 } else {
3457 phase->C->record_for_post_loop_opts_igvn(this); // attempt the transformation once loop opts are over
3458 }
3459 }
3460 }
3461
3462 if (MergeStores && UseUnalignedAccesses) {
3463 if (phase->C->merge_stores_phase()) {
3464 MergePrimitiveStores merge(phase, this);
3465 Node* progress = merge.run();
3466 if (progress != nullptr) { return progress; }
3467 } else {
3468 // We need to wait with merging stores until RangeCheck smearing has removed the RangeChecks during
3469 // the post loops IGVN phase. If we do it earlier, then there may still be some RangeChecks between
3470 // the stores, and we merge the wrong sequence of stores.
3471 // Example:
3472 // StoreI RangeCheck StoreI StoreI RangeCheck StoreI
3473 // Apply MergeStores:
3474 // StoreI RangeCheck [ StoreL ] RangeCheck StoreI
3475 // Remove more RangeChecks:
3476 // StoreI [ StoreL ] StoreI
3477 // But now it would have been better to do this instead:
3478 // [ StoreL ] [ StoreL ]
3479 phase->C->record_for_merge_stores_igvn(this);
3480 }
3481 }
3482
3483 return nullptr; // No further progress
3484 }
3485
3486 //------------------------------Value-----------------------------------------
3487 const Type* StoreNode::Value(PhaseGVN* phase) const {
3488 // Either input is TOP ==> the result is TOP
3489 const Type *t1 = phase->type( in(MemNode::Memory) );
3490 if( t1 == Type::TOP ) return Type::TOP;
3491 const Type *t2 = phase->type( in(MemNode::Address) );
3492 if( t2 == Type::TOP ) return Type::TOP;
3493 const Type *t3 = phase->type( in(MemNode::ValueIn) );
3494 if( t3 == Type::TOP ) return Type::TOP;
3495 return Type::MEMORY;
3496 }
3497
3498 //------------------------------Identity---------------------------------------
3499 // Remove redundant stores:
3500 // Store(m, p, Load(m, p)) changes to m.
3501 // Store(, p, x) -> Store(m, p, x) changes to Store(m, p, x).
3502 Node* StoreNode::Identity(PhaseGVN* phase) {
3503 Node* mem = in(MemNode::Memory);
3504 Node* adr = in(MemNode::Address);
3505 Node* val = in(MemNode::ValueIn);
3506
3507 Node* result = this;
3508
3509 // Load then Store? Then the Store is useless
3510 if (val->is_Load() &&
3511 val->in(MemNode::Address)->eqv_uncast(adr) &&
3512 val->in(MemNode::Memory )->eqv_uncast(mem) &&
3513 val->as_Load()->store_Opcode() == Opcode()) {
3514 // Ensure vector type is the same
3515 if (!is_StoreVector() || (mem->is_LoadVector() && as_StoreVector()->vect_type() == mem->as_LoadVector()->vect_type())) {
3516 result = mem;
3517 }
3518 }
3519
3520 // Two stores in a row of the same value?
3521 if (result == this &&
3522 mem->is_Store() &&
3523 mem->in(MemNode::Address)->eqv_uncast(adr) &&
3524 mem->in(MemNode::ValueIn)->eqv_uncast(val) &&
3525 mem->Opcode() == Opcode()) {
3526 if (!is_StoreVector()) {
3527 result = mem;
3528 } else {
3529 const StoreVectorNode* store_vector = as_StoreVector();
3530 const StoreVectorNode* mem_vector = mem->as_StoreVector();
3531 const Node* store_indices = store_vector->indices();
3532 const Node* mem_indices = mem_vector->indices();
3533 const Node* store_mask = store_vector->mask();
3534 const Node* mem_mask = mem_vector->mask();
3535 // Ensure types, indices, and masks match
3536 if (store_vector->vect_type() == mem_vector->vect_type() &&
3537 ((store_indices == nullptr) == (mem_indices == nullptr) &&
3538 (store_indices == nullptr || store_indices->eqv_uncast(mem_indices))) &&
3539 ((store_mask == nullptr) == (mem_mask == nullptr) &&
3540 (store_mask == nullptr || store_mask->eqv_uncast(mem_mask)))) {
3541 result = mem;
3542 }
3543 }
3544 }
3545
3546 // Store of zero anywhere into a freshly-allocated object?
3547 // Then the store is useless.
3548 // (It must already have been captured by the InitializeNode.)
3549 if (result == this &&
3550 ReduceFieldZeroing && phase->type(val)->is_zero_type()) {
3551 // a newly allocated object is already all-zeroes everywhere
3552 if (mem->is_Proj() && mem->in(0)->is_Allocate()) {
3553 result = mem;
3554 }
3555
3556 if (result == this) {
3557 // the store may also apply to zero-bits in an earlier object
3558 Node* prev_mem = find_previous_store(phase);
3559 // Steps (a), (b): Walk past independent stores to find an exact match.
3560 if (prev_mem != nullptr) {
3561 Node* prev_val = can_see_stored_value(prev_mem, phase);
3562 if (prev_val != nullptr && prev_val == val) {
3563 // prev_val and val might differ by a cast; it would be good
3564 // to keep the more informative of the two.
3565 result = mem;
3566 }
3567 }
3568 }
3569 }
3570
3571 PhaseIterGVN* igvn = phase->is_IterGVN();
3572 if (result != this && igvn != nullptr) {
3573 MemBarNode* trailing = trailing_membar();
3574 if (trailing != nullptr) {
3575 #ifdef ASSERT
3576 const TypeOopPtr* t_oop = phase->type(in(Address))->isa_oopptr();
3577 assert(t_oop == nullptr || t_oop->is_known_instance_field(), "only for non escaping objects");
3578 #endif
3579 trailing->remove(igvn);
3580 }
3581 }
3582
3583 return result;
3584 }
3585
3586 //------------------------------match_edge-------------------------------------
3587 // Do we Match on this edge index or not? Match only memory & value
3588 uint StoreNode::match_edge(uint idx) const {
3589 return idx == MemNode::Address || idx == MemNode::ValueIn;
3590 }
3591
3592 //------------------------------cmp--------------------------------------------
3593 // Do not common stores up together. They generally have to be split
3594 // back up anyways, so do not bother.
3595 bool StoreNode::cmp( const Node &n ) const {
3596 return (&n == this); // Always fail except on self
3597 }
3598
3599 //------------------------------Ideal_masked_input-----------------------------
3600 // Check for a useless mask before a partial-word store
3601 // (StoreB ... (AndI valIn conIa) )
3602 // If (conIa & mask == mask) this simplifies to
3603 // (StoreB ... (valIn) )
3604 Node *StoreNode::Ideal_masked_input(PhaseGVN *phase, uint mask) {
3605 Node *val = in(MemNode::ValueIn);
3606 if( val->Opcode() == Op_AndI ) {
3607 const TypeInt *t = phase->type( val->in(2) )->isa_int();
3608 if( t && t->is_con() && (t->get_con() & mask) == mask ) {
3609 set_req_X(MemNode::ValueIn, val->in(1), phase);
3610 return this;
3611 }
3612 }
3613 return nullptr;
3614 }
3615
3616
3617 //------------------------------Ideal_sign_extended_input----------------------
3618 // Check for useless sign-extension before a partial-word store
3619 // (StoreB ... (RShiftI _ (LShiftI _ v conIL) conIR))
3620 // If (conIL == conIR && conIR <= num_rejected_bits) this simplifies to
3621 // (StoreB ... (v))
3622 // If (conIL > conIR) under some conditions, it can be simplified into
3623 // (StoreB ... (LShiftI _ v (conIL - conIR)))
3624 // This case happens when the value of the store was itself a left shift, that
3625 // gets merged into the inner left shift of the sign-extension. For instance,
3626 // if we have
3627 // array_of_shorts[0] = (short)(v << 2)
3628 // We get a structure such as:
3629 // (StoreB ... (RShiftI _ (LShiftI _ (LShiftI _ v 2) 16) 16))
3630 // that is simplified into
3631 // (StoreB ... (RShiftI _ (LShiftI _ v 18) 16)).
3632 // It is thus useful to handle cases where conIL > conIR. But this simplification
3633 // does not always hold. Let's see in which cases it's valid.
3634 //
3635 // Let's assume we have the following 32 bits integer v:
3636 // +----------------------------------+
3637 // | v[0..31] |
3638 // +----------------------------------+
3639 // 31 0
3640 // that will be stuffed in 8 bits byte after a shift left and a shift right of
3641 // potentially different magnitudes.
3642 // We denote num_rejected_bits the number of bits of the discarded part. In this
3643 // case, num_rejected_bits == 24.
3644 //
3645 // Statement (proved further below in case analysis):
3646 // Given:
3647 // - 0 <= conIL < BitsPerJavaInteger (no wrap in shift, enforced by maskShiftAmount)
3648 // - 0 <= conIR < BitsPerJavaInteger (no wrap in shift, enforced by maskShiftAmount)
3649 // - conIL >= conIR
3650 // - num_rejected_bits >= conIR
3651 // Then this form:
3652 // (RShiftI _ (LShiftI _ v conIL) conIR)
3653 // can be replaced with this form:
3654 // (LShiftI _ v (conIL-conIR))
3655 //
3656 // Note: We only have to show that the non-rejected lowest bits (8 bits for byte)
3657 // have to be correct, as the higher bits are rejected / truncated by the store.
3658 //
3659 // The hypotheses
3660 // 0 <= conIL < BitsPerJavaInteger
3661 // 0 <= conIR < BitsPerJavaInteger
3662 // are ensured by maskShiftAmount (called from ::Ideal of shift nodes). Indeed,
3663 // (v << 31) << 2 must be simplified into 0, not into v << 33 (which is equivalent
3664 // to v << 1).
3665 //
3666 //
3667 // If you don't like case analysis, jump after the conclusion.
3668 // ### Case 1 : conIL == conIR
3669 // ###### Case 1.1: conIL == conIR == num_rejected_bits
3670 // If we do the shift left then right by 24 bits, we get:
3671 // after: v << 24
3672 // +---------+------------------------+
3673 // | v[0..7] | 0 |
3674 // +---------+------------------------+
3675 // 31 24 23 0
3676 // after: (v << 24) >> 24
3677 // +------------------------+---------+
3678 // | sign bit | v[0..7] |
3679 // +------------------------+---------+
3680 // 31 8 7 0
3681 // The non-rejected bits (bits kept by the store, that is the 8 lower bits of the
3682 // result) are the same before and after, so, indeed, simplifying is correct.
3683
3684 // ###### Case 1.2: conIL == conIR < num_rejected_bits
3685 // If we do the shift left then right by 22 bits, we get:
3686 // after: v << 22
3687 // +---------+------------------------+
3688 // | v[0..9] | 0 |
3689 // +---------+------------------------+
3690 // 31 22 21 0
3691 // after: (v << 22) >> 22
3692 // +------------------------+---------+
3693 // | sign bit | v[0..9] |
3694 // +------------------------+---------+
3695 // 31 10 9 0
3696 // The non-rejected bits are the 8 lower bits of v. The bits 8 and 9 of v are still
3697 // present in (v << 22) >> 22 but will be dropped by the store. The simplification is
3698 // still correct.
3699
3700 // ###### But! Case 1.3: conIL == conIR > num_rejected_bits
3701 // If we do the shift left then right by 26 bits, we get:
3702 // after: v << 26
3703 // +---------+------------------------+
3704 // | v[0..5] | 0 |
3705 // +---------+------------------------+
3706 // 31 26 25 0
3707 // after: (v << 26) >> 26
3708 // +------------------------+---------+
3709 // | sign bit | v[0..5] |
3710 // +------------------------+---------+
3711 // 31 6 5 0
3712 // The non-rejected bits are made of
3713 // - 0-5 => the bits 0 to 5 of v
3714 // - 6-7 => the sign bit of v[0..5] (that is v[5])
3715 // Simplifying this as v is not correct.
3716 // The condition conIR <= num_rejected_bits is indeed necessary in Case 1
3717 //
3718 // ### Case 2: conIL > conIR
3719 // ###### Case 2.1: num_rejected_bits == conIR
3720 // We take conIL == 26 for this example.
3721 // after: v << 26
3722 // +---------+------------------------+
3723 // | v[0..5] | 0 |
3724 // +---------+------------------------+
3725 // 31 26 25 0
3726 // after: (v << 26) >> 24
3727 // +------------------+---------+-----+
3728 // | sign bit | v[0..5] | 0 |
3729 // +------------------+---------+-----+
3730 // 31 8 7 2 1 0
3731 // The non-rejected bits are the 8 lower ones of (v << conIL - conIR).
3732 // The bits 6 and 7 of v have been thrown away after the shift left.
3733 // The simplification is still correct.
3734 //
3735 // ###### Case 2.2: num_rejected_bits > conIR.
3736 // Let's say conIL == 26 and conIR == 22.
3737 // after: v << 26
3738 // +---------+------------------------+
3739 // | v[0..5] | 0 |
3740 // +---------+------------------------+
3741 // 31 26 25 0
3742 // after: (v << 26) >> 22
3743 // +------------------+---------+-----+
3744 // | sign bit | v[0..5] | 0 |
3745 // +------------------+---------+-----+
3746 // 31 10 9 4 3 0
3747 // The bits non-rejected by the store are exactly the 8 lower ones of (v << (conIL - conIR)):
3748 // - 0-3 => 0
3749 // - 4-7 => bits 0 to 3 of v
3750 // The simplification is still correct.
3751 // The bits 4 and 5 of v are still present in (v << (conIL - conIR)) but they don't
3752 // matter as they are not in the 8 lower bits: they will be cut out by the store.
3753 //
3754 // ###### But! Case 2.3: num_rejected_bits < conIR.
3755 // Let's see that this case is not as easy to simplify.
3756 // Let's say conIL == 28 and conIR == 26.
3757 // after: v << 28
3758 // +---------+------------------------+
3759 // | v[0..3] | 0 |
3760 // +---------+------------------------+
3761 // 31 28 27 0
3762 // after: (v << 28) >> 26
3763 // +------------------+---------+-----+
3764 // | sign bit | v[0..3] | 0 |
3765 // +------------------+---------+-----+
3766 // 31 6 5 2 1 0
3767 // The non-rejected bits are made of
3768 // - 0-1 => 0
3769 // - 2-5 => the bits 0 to 3 of v
3770 // - 6-7 => the sign bit of v[0..3] (that is v[3])
3771 // Simplifying this as (v << 2) is not correct.
3772 // The condition conIR <= num_rejected_bits is indeed necessary in Case 2.
3773 //
3774 // ### Conclusion:
3775 // Our hypotheses are indeed sufficient:
3776 // - 0 <= conIL < BitsPerJavaInteger
3777 // - 0 <= conIR < BitsPerJavaInteger
3778 // - conIL >= conIR
3779 // - num_rejected_bits >= conIR
3780 //
3781 // ### A rationale without case analysis:
3782 // After the shift left, conIL upper bits of v are discarded and conIL lower bit
3783 // zeroes are added. After the shift right, conIR lower bits of the previous result
3784 // are discarded. If conIL >= conIR, we discard only the zeroes we made up during
3785 // the shift left, but if conIL < conIR, then we discard also lower bits of v. But
3786 // the point of the simplification is to get an expression of the form
3787 // (v << (conIL - conIR)). This expression discard only higher bits of v, thus the
3788 // simplification is not correct if conIL < conIR.
3789 //
3790 // Moreover, after the shift right, the higher bit of (v << conIL) is repeated on the
3791 // conIR higher bits of ((v << conIL) >> conIR), it's the sign-extension. If
3792 // conIR > num_rejected_bits, then at least one artificial copy of this sign bit will
3793 // be in the window of the store. Thus ((v << conIL) >> conIR) is not equivalent to
3794 // (v << (conIL-conIR)) if conIR > num_rejected_bits.
3795 //
3796 // We do not treat the case conIL < conIR here since the point of this function is
3797 // to skip sign-extensions (that is conIL == conIR == num_rejected_bits). The need
3798 // of treating conIL > conIR comes from the cases where the sign-extended value is
3799 // also left-shift expression. Computing the sign-extension of a right-shift expression
3800 // doesn't yield a situation such as
3801 // (StoreB ... (RShiftI _ (LShiftI _ v conIL) conIR))
3802 // where conIL < conIR.
3803 Node* StoreNode::Ideal_sign_extended_input(PhaseGVN* phase, int num_rejected_bits) {
3804 Node* shr = in(MemNode::ValueIn);
3805 if (shr->Opcode() == Op_RShiftI) {
3806 const TypeInt* conIR = phase->type(shr->in(2))->isa_int();
3807 if (conIR != nullptr && conIR->is_con() && conIR->get_con() >= 0 && conIR->get_con() < BitsPerJavaInteger && conIR->get_con() <= num_rejected_bits) {
3808 Node* shl = shr->in(1);
3809 if (shl->Opcode() == Op_LShiftI) {
3810 const TypeInt* conIL = phase->type(shl->in(2))->isa_int();
3811 if (conIL != nullptr && conIL->is_con() && conIL->get_con() >= 0 && conIL->get_con() < BitsPerJavaInteger) {
3812 if (conIL->get_con() == conIR->get_con()) {
3813 set_req_X(MemNode::ValueIn, shl->in(1), phase);
3814 return this;
3815 }
3816 if (conIL->get_con() > conIR->get_con()) {
3817 Node* new_shl = phase->transform(new LShiftINode(shl->in(1), phase->intcon(conIL->get_con() - conIR->get_con())));
3818 set_req_X(MemNode::ValueIn, new_shl, phase);
3819 return this;
3820 }
3821 }
3822 }
3823 }
3824 }
3825 return nullptr;
3826 }
3827
3828 //------------------------------value_never_loaded-----------------------------------
3829 // Determine whether there are any possible loads of the value stored.
3830 // For simplicity, we actually check if there are any loads from the
3831 // address stored to, not just for loads of the value stored by this node.
3832 //
3833 bool StoreNode::value_never_loaded(PhaseValues* phase) const {
3834 Node *adr = in(Address);
3835 const TypeOopPtr *adr_oop = phase->type(adr)->isa_oopptr();
3836 if (adr_oop == nullptr)
3837 return false;
3838 if (!adr_oop->is_known_instance_field())
3839 return false; // if not a distinct instance, there may be aliases of the address
3840 for (DUIterator_Fast imax, i = adr->fast_outs(imax); i < imax; i++) {
3841 Node *use = adr->fast_out(i);
3842 if (use->is_Load() || use->is_LoadStore()) {
3843 return false;
3844 }
3845 }
3846 return true;
3847 }
3848
3849 MemBarNode* StoreNode::trailing_membar() const {
3850 if (is_release()) {
3851 MemBarNode* trailing_mb = nullptr;
3852 for (DUIterator_Fast imax, i = fast_outs(imax); i < imax; i++) {
3853 Node* u = fast_out(i);
3854 if (u->is_MemBar()) {
3855 if (u->as_MemBar()->trailing_store()) {
3856 assert(u->Opcode() == Op_MemBarVolatile, "");
3857 assert(trailing_mb == nullptr, "only one");
3858 trailing_mb = u->as_MemBar();
3859 #ifdef ASSERT
3860 Node* leading = u->as_MemBar()->leading_membar();
3861 assert(leading->Opcode() == Op_MemBarRelease, "incorrect membar");
3862 assert(leading->as_MemBar()->leading_store(), "incorrect membar pair");
3863 assert(leading->as_MemBar()->trailing_membar() == u, "incorrect membar pair");
3864 #endif
3865 } else {
3866 assert(u->as_MemBar()->standalone(), "");
3867 }
3868 }
3869 }
3870 return trailing_mb;
3871 }
3872 return nullptr;
3873 }
3874
3875
3876 //=============================================================================
3877 //------------------------------Ideal------------------------------------------
3878 // If the store is from an AND mask that leaves the low bits untouched, then
3879 // we can skip the AND operation. If the store is from a sign-extension
3880 // (a left shift, then right shift) we can skip both.
3881 Node *StoreBNode::Ideal(PhaseGVN *phase, bool can_reshape){
3882 Node *progress = StoreNode::Ideal_masked_input(phase, 0xFF);
3883 if( progress != nullptr ) return progress;
3884
3885 progress = StoreNode::Ideal_sign_extended_input(phase, 24);
3886 if( progress != nullptr ) return progress;
3887
3888 // Finally check the default case
3889 return StoreNode::Ideal(phase, can_reshape);
3890 }
3891
3892 //=============================================================================
3893 //------------------------------Ideal------------------------------------------
3894 // If the store is from an AND mask that leaves the low bits untouched, then
3895 // we can skip the AND operation
3896 Node *StoreCNode::Ideal(PhaseGVN *phase, bool can_reshape){
3897 Node *progress = StoreNode::Ideal_masked_input(phase, 0xFFFF);
3898 if( progress != nullptr ) return progress;
3899
3900 progress = StoreNode::Ideal_sign_extended_input(phase, 16);
3901 if( progress != nullptr ) return progress;
3902
3903 // Finally check the default case
3904 return StoreNode::Ideal(phase, can_reshape);
3905 }
3906
3907 //=============================================================================
3908 //----------------------------------SCMemProjNode------------------------------
3909 const Type* SCMemProjNode::Value(PhaseGVN* phase) const
3910 {
3911 if (in(0) == nullptr || phase->type(in(0)) == Type::TOP) {
3912 return Type::TOP;
3913 }
3914 return bottom_type();
3915 }
3916
3917 //=============================================================================
3918 //----------------------------------LoadStoreNode------------------------------
3919 LoadStoreNode::LoadStoreNode( Node *c, Node *mem, Node *adr, Node *val, const TypePtr* at, const Type* rt, uint required )
3920 : Node(required),
3921 _type(rt),
3922 _barrier_data(0)
3923 {
3924 init_req(MemNode::Control, c );
3925 init_req(MemNode::Memory , mem);
3926 init_req(MemNode::Address, adr);
3927 init_req(MemNode::ValueIn, val);
3928 init_class_id(Class_LoadStore);
3929 DEBUG_ONLY(_adr_type = at; adr_type();)
3930 }
3931
3932 //------------------------------Value-----------------------------------------
3933 const Type* LoadStoreNode::Value(PhaseGVN* phase) const {
3934 // Either input is TOP ==> the result is TOP
3935 if (!in(MemNode::Control) || phase->type(in(MemNode::Control)) == Type::TOP) {
3936 return Type::TOP;
3937 }
3938 const Type* t = phase->type(in(MemNode::Memory));
3939 if (t == Type::TOP) {
3940 return Type::TOP;
3941 }
3942 t = phase->type(in(MemNode::Address));
3943 if (t == Type::TOP) {
3944 return Type::TOP;
3945 }
3946 t = phase->type(in(MemNode::ValueIn));
3947 if (t == Type::TOP) {
3948 return Type::TOP;
3949 }
3950 return bottom_type();
3951 }
3952
3953 const TypePtr* LoadStoreNode::adr_type() const {
3954 const TypePtr* cross_check = DEBUG_ONLY(_adr_type) NOT_DEBUG(nullptr);
3955 return MemNode::calculate_adr_type(in(MemNode::Address)->bottom_type(), cross_check);
3956 }
3957
3958 uint LoadStoreNode::ideal_reg() const {
3959 return _type->ideal_reg();
3960 }
3961
3962 // This method conservatively checks if the result of a LoadStoreNode is
3963 // used, that is, if it returns true, then it is definitely the case that
3964 // the result of the node is not needed.
3965 // For example, GetAndAdd can be matched into a lock_add instead of a
3966 // lock_xadd if the result of LoadStoreNode::result_not_used() is true
3967 bool LoadStoreNode::result_not_used() const {
3968 for (DUIterator_Fast imax, i = fast_outs(imax); i < imax; i++) {
3969 Node *x = fast_out(i);
3970 if (x->Opcode() == Op_SCMemProj) {
3971 continue;
3972 }
3973 if (x->bottom_type() == TypeTuple::MEMBAR &&
3974 !x->is_Call() &&
3975 x->Opcode() != Op_Blackhole) {
3976 continue;
3977 }
3978 return false;
3979 }
3980 return true;
3981 }
3982
3983 MemBarNode* LoadStoreNode::trailing_membar() const {
3984 MemBarNode* trailing = nullptr;
3985 for (DUIterator_Fast imax, i = fast_outs(imax); i < imax; i++) {
3986 Node* u = fast_out(i);
3987 if (u->is_MemBar()) {
3988 if (u->as_MemBar()->trailing_load_store()) {
3989 assert(u->Opcode() == Op_MemBarAcquire, "");
3990 assert(trailing == nullptr, "only one");
3991 trailing = u->as_MemBar();
3992 #ifdef ASSERT
3993 Node* leading = trailing->leading_membar();
3994 assert(support_IRIW_for_not_multiple_copy_atomic_cpu || leading->Opcode() == Op_MemBarRelease, "incorrect membar");
3995 assert(leading->as_MemBar()->leading_load_store(), "incorrect membar pair");
3996 assert(leading->as_MemBar()->trailing_membar() == trailing, "incorrect membar pair");
3997 #endif
3998 } else {
3999 assert(u->as_MemBar()->standalone(), "wrong barrier kind");
4000 }
4001 }
4002 }
4003
4004 return trailing;
4005 }
4006
4007 uint LoadStoreNode::size_of() const { return sizeof(*this); }
4008
4009 //=============================================================================
4010 //----------------------------------LoadStoreConditionalNode--------------------
4011 LoadStoreConditionalNode::LoadStoreConditionalNode( Node *c, Node *mem, Node *adr, Node *val, Node *ex ) : LoadStoreNode(c, mem, adr, val, nullptr, TypeInt::BOOL, 5) {
4012 init_req(ExpectedIn, ex );
4013 }
4014
4015 const Type* LoadStoreConditionalNode::Value(PhaseGVN* phase) const {
4016 // Either input is TOP ==> the result is TOP
4017 const Type* t = phase->type(in(ExpectedIn));
4018 if (t == Type::TOP) {
4019 return Type::TOP;
4020 }
4021 return LoadStoreNode::Value(phase);
4022 }
4023
4024 //=============================================================================
4025 //-------------------------------adr_type--------------------------------------
4026 const TypePtr* ClearArrayNode::adr_type() const {
4027 Node *adr = in(3);
4028 if (adr == nullptr) return nullptr; // node is dead
4029 return MemNode::calculate_adr_type(adr->bottom_type());
4030 }
4031
4032 //------------------------------match_edge-------------------------------------
4033 // Do we Match on this edge index or not? Do not match memory
4034 uint ClearArrayNode::match_edge(uint idx) const {
4035 return idx > 1;
4036 }
4037
4038 //------------------------------Identity---------------------------------------
4039 // Clearing a zero length array does nothing
4040 Node* ClearArrayNode::Identity(PhaseGVN* phase) {
4041 return phase->type(in(2))->higher_equal(TypeX::ZERO) ? in(1) : this;
4042 }
4043
4044 //------------------------------Idealize---------------------------------------
4045 // Clearing a short array is faster with stores
4046 Node *ClearArrayNode::Ideal(PhaseGVN *phase, bool can_reshape) {
4047 // Already know this is a large node, do not try to ideal it
4048 if (_is_large) return nullptr;
4049
4050 const int unit = BytesPerLong;
4051 const TypeX* t = phase->type(in(2))->isa_intptr_t();
4052 if (!t) return nullptr;
4053 if (!t->is_con()) return nullptr;
4054 intptr_t raw_count = t->get_con();
4055 intptr_t size = raw_count;
4056 if (!Matcher::init_array_count_is_in_bytes) size *= unit;
4057 // Clearing nothing uses the Identity call.
4058 // Negative clears are possible on dead ClearArrays
4059 // (see jck test stmt114.stmt11402.val).
4060 if (size <= 0 || size % unit != 0) return nullptr;
4061 intptr_t count = size / unit;
4062 // Length too long; communicate this to matchers and assemblers.
4063 // Assemblers are responsible to produce fast hardware clears for it.
4064 if (size > InitArrayShortSize) {
4065 return new ClearArrayNode(in(0), in(1), in(2), in(3), true);
4066 } else if (size > 2 && Matcher::match_rule_supported_vector(Op_ClearArray, 4, T_LONG)) {
4067 return nullptr;
4068 }
4069 if (!IdealizeClearArrayNode) return nullptr;
4070 Node *mem = in(1);
4071 if( phase->type(mem)==Type::TOP ) return nullptr;
4072 Node *adr = in(3);
4073 const Type* at = phase->type(adr);
4074 if( at==Type::TOP ) return nullptr;
4075 const TypePtr* atp = at->isa_ptr();
4076 // adjust atp to be the correct array element address type
4077 if (atp == nullptr) atp = TypePtr::BOTTOM;
4078 else atp = atp->add_offset(Type::OffsetBot);
4079 // Get base for derived pointer purposes
4080 if( adr->Opcode() != Op_AddP ) Unimplemented();
4081 Node *base = adr->in(1);
4082
4083 Node *zero = phase->makecon(TypeLong::ZERO);
4084 Node *off = phase->MakeConX(BytesPerLong);
4085 mem = new StoreLNode(in(0),mem,adr,atp,zero,MemNode::unordered,false);
4086 count--;
4087 while( count-- ) {
4088 mem = phase->transform(mem);
4089 adr = phase->transform(new AddPNode(base,adr,off));
4090 mem = new StoreLNode(in(0),mem,adr,atp,zero,MemNode::unordered,false);
4091 }
4092 return mem;
4093 }
4094
4095 //----------------------------step_through----------------------------------
4096 // Return allocation input memory edge if it is different instance
4097 // or itself if it is the one we are looking for.
4098 bool ClearArrayNode::step_through(Node** np, uint instance_id, PhaseValues* phase) {
4099 Node* n = *np;
4100 assert(n->is_ClearArray(), "sanity");
4101 intptr_t offset;
4102 AllocateNode* alloc = AllocateNode::Ideal_allocation(n->in(3), phase, offset);
4103 // This method is called only before Allocate nodes are expanded
4104 // during macro nodes expansion. Before that ClearArray nodes are
4105 // only generated in PhaseMacroExpand::generate_arraycopy() (before
4106 // Allocate nodes are expanded) which follows allocations.
4107 assert(alloc != nullptr, "should have allocation");
4108 if (alloc->_idx == instance_id) {
4109 // Can not bypass initialization of the instance we are looking for.
4110 return false;
4111 }
4112 // Otherwise skip it.
4113 InitializeNode* init = alloc->initialization();
4114 if (init != nullptr)
4115 *np = init->in(TypeFunc::Memory);
4116 else
4117 *np = alloc->in(TypeFunc::Memory);
4118 return true;
4119 }
4120
4121 Node* ClearArrayNode::make_address(Node* dest, Node* offset, bool raw_base, PhaseGVN* phase) {
4122 Node* base = dest;
4123 if (raw_base) {
4124 // May be called as part of the initialization of a just allocated object
4125 base = phase->C->top();
4126 }
4127 return phase->transform(new AddPNode(base, dest, offset));
4128 }
4129
4130 //----------------------------clear_memory-------------------------------------
4131 // Generate code to initialize object storage to zero.
4132 Node* ClearArrayNode::clear_memory(Node* ctl, Node* mem, Node* dest,
4133 intptr_t start_offset,
4134 Node* end_offset,
4135 bool raw_base,
4136 PhaseGVN* phase) {
4137 intptr_t offset = start_offset;
4138
4139 int unit = BytesPerLong;
4140 if ((offset % unit) != 0) {
4141 Node* adr = make_address(dest, phase->MakeConX(offset), raw_base, phase);
4142 const TypePtr* atp = TypeRawPtr::BOTTOM;
4143 mem = StoreNode::make(*phase, ctl, mem, adr, atp, phase->zerocon(T_INT), T_INT, MemNode::unordered);
4144 mem = phase->transform(mem);
4145 offset += BytesPerInt;
4146 }
4147 assert((offset % unit) == 0, "");
4148
4149 // Initialize the remaining stuff, if any, with a ClearArray.
4150 return clear_memory(ctl, mem, dest, phase->MakeConX(offset), end_offset, raw_base, phase);
4151 }
4152
4153 Node* ClearArrayNode::clear_memory(Node* ctl, Node* mem, Node* dest,
4154 Node* start_offset,
4155 Node* end_offset,
4156 bool raw_base,
4157 PhaseGVN* phase) {
4158 if (start_offset == end_offset) {
4159 // nothing to do
4160 return mem;
4161 }
4162
4163 int unit = BytesPerLong;
4164 Node* zbase = start_offset;
4165 Node* zend = end_offset;
4166
4167 // Scale to the unit required by the CPU:
4168 if (!Matcher::init_array_count_is_in_bytes) {
4169 Node* shift = phase->intcon(exact_log2(unit));
4170 zbase = phase->transform(new URShiftXNode(zbase, shift) );
4171 zend = phase->transform(new URShiftXNode(zend, shift) );
4172 }
4173
4174 // Bulk clear double-words
4175 Node* zsize = phase->transform(new SubXNode(zend, zbase) );
4176 Node* adr = make_address(dest, start_offset, raw_base, phase);
4177 mem = new ClearArrayNode(ctl, mem, zsize, adr, false);
4178 return phase->transform(mem);
4179 }
4180
4181 Node* ClearArrayNode::clear_memory(Node* ctl, Node* mem, Node* dest,
4182 intptr_t start_offset,
4183 intptr_t end_offset,
4184 bool raw_base,
4185 PhaseGVN* phase) {
4186 if (start_offset == end_offset) {
4187 // nothing to do
4188 return mem;
4189 }
4190
4191 assert((end_offset % BytesPerInt) == 0, "odd end offset");
4192 intptr_t done_offset = end_offset;
4193 if ((done_offset % BytesPerLong) != 0) {
4194 done_offset -= BytesPerInt;
4195 }
4196 if (done_offset > start_offset) {
4197 mem = clear_memory(ctl, mem, dest,
4198 start_offset, phase->MakeConX(done_offset), raw_base, phase);
4199 }
4200 if (done_offset < end_offset) { // emit the final 32-bit store
4201 Node* adr = make_address(dest, phase->MakeConX(done_offset), raw_base, phase);
4202 const TypePtr* atp = TypeRawPtr::BOTTOM;
4203 mem = StoreNode::make(*phase, ctl, mem, adr, atp, phase->zerocon(T_INT), T_INT, MemNode::unordered);
4204 mem = phase->transform(mem);
4205 done_offset += BytesPerInt;
4206 }
4207 assert(done_offset == end_offset, "");
4208 return mem;
4209 }
4210
4211 //=============================================================================
4212 MemBarNode::MemBarNode(Compile* C, int alias_idx, Node* precedent)
4213 : MultiNode(TypeFunc::Parms + (precedent == nullptr? 0: 1)),
4214 _adr_type(C->get_adr_type(alias_idx)), _kind(Standalone)
4215 #ifdef ASSERT
4216 , _pair_idx(0)
4217 #endif
4218 {
4219 init_class_id(Class_MemBar);
4220 Node* top = C->top();
4221 init_req(TypeFunc::I_O,top);
4222 init_req(TypeFunc::FramePtr,top);
4223 init_req(TypeFunc::ReturnAdr,top);
4224 if (precedent != nullptr)
4225 init_req(TypeFunc::Parms, precedent);
4226 }
4227
4228 //------------------------------cmp--------------------------------------------
4229 uint MemBarNode::hash() const { return NO_HASH; }
4230 bool MemBarNode::cmp( const Node &n ) const {
4231 return (&n == this); // Always fail except on self
4232 }
4233
4234 //------------------------------make-------------------------------------------
4235 MemBarNode* MemBarNode::make(Compile* C, int opcode, int atp, Node* pn) {
4236 switch (opcode) {
4237 case Op_MemBarAcquire: return new MemBarAcquireNode(C, atp, pn);
4238 case Op_LoadFence: return new LoadFenceNode(C, atp, pn);
4239 case Op_MemBarRelease: return new MemBarReleaseNode(C, atp, pn);
4240 case Op_StoreFence: return new StoreFenceNode(C, atp, pn);
4241 case Op_MemBarStoreStore: return new MemBarStoreStoreNode(C, atp, pn);
4242 case Op_StoreStoreFence: return new StoreStoreFenceNode(C, atp, pn);
4243 case Op_MemBarAcquireLock: return new MemBarAcquireLockNode(C, atp, pn);
4244 case Op_MemBarReleaseLock: return new MemBarReleaseLockNode(C, atp, pn);
4245 case Op_MemBarVolatile: return new MemBarVolatileNode(C, atp, pn);
4246 case Op_MemBarCPUOrder: return new MemBarCPUOrderNode(C, atp, pn);
4247 case Op_OnSpinWait: return new OnSpinWaitNode(C, atp, pn);
4248 case Op_Initialize: return new InitializeNode(C, atp, pn);
4249 default: ShouldNotReachHere(); return nullptr;
4250 }
4251 }
4252
4253 void MemBarNode::remove(PhaseIterGVN *igvn) {
4254 assert(outcnt() > 0 && (outcnt() <= 2 || Opcode() == Op_Initialize), "Only one or two out edges allowed");
4255 if (trailing_store() || trailing_load_store()) {
4256 MemBarNode* leading = leading_membar();
4257 if (leading != nullptr) {
4258 assert(leading->trailing_membar() == this, "inconsistent leading/trailing membars");
4259 leading->remove(igvn);
4260 }
4261 }
4262 if (proj_out_or_null(TypeFunc::Control) != nullptr) {
4263 igvn->replace_node(proj_out(TypeFunc::Control), in(TypeFunc::Control));
4264 }
4265 if (is_Initialize()) {
4266 as_Initialize()->replace_mem_projs_by(in(TypeFunc::Memory), igvn);
4267 } else {
4268 if (proj_out_or_null(TypeFunc::Memory) != nullptr) {
4269 igvn->replace_node(proj_out(TypeFunc::Memory), in(TypeFunc::Memory));
4270 }
4271 }
4272 }
4273
4274 //------------------------------Ideal------------------------------------------
4275 // Return a node which is more "ideal" than the current node. Strip out
4276 // control copies
4277 Node *MemBarNode::Ideal(PhaseGVN *phase, bool can_reshape) {
4278 if (remove_dead_region(phase, can_reshape)) return this;
4279 // Don't bother trying to transform a dead node
4280 if (in(0) && in(0)->is_top()) {
4281 return nullptr;
4282 }
4283
4284 bool progress = false;
4285 // Eliminate volatile MemBars for scalar replaced objects.
4286 if (can_reshape && req() == (Precedent+1)) {
4287 bool eliminate = false;
4288 int opc = Opcode();
4289 if ((opc == Op_MemBarAcquire || opc == Op_MemBarVolatile)) {
4290 // Volatile field loads and stores.
4291 Node* my_mem = in(MemBarNode::Precedent);
4292 // The MembarAquire may keep an unused LoadNode alive through the Precedent edge
4293 if ((my_mem != nullptr) && (opc == Op_MemBarAcquire) && (my_mem->outcnt() == 1)) {
4294 // if the Precedent is a decodeN and its input (a Load) is used at more than one place,
4295 // replace this Precedent (decodeN) with the Load instead.
4296 if ((my_mem->Opcode() == Op_DecodeN) && (my_mem->in(1)->outcnt() > 1)) {
4297 Node* load_node = my_mem->in(1);
4298 set_req(MemBarNode::Precedent, load_node);
4299 phase->is_IterGVN()->_worklist.push(my_mem);
4300 my_mem = load_node;
4301 } else {
4302 assert(my_mem->unique_out() == this, "sanity");
4303 assert(!trailing_load_store(), "load store node can't be eliminated");
4304 del_req(Precedent);
4305 phase->is_IterGVN()->_worklist.push(my_mem); // remove dead node later
4306 my_mem = nullptr;
4307 }
4308 progress = true;
4309 }
4310 if (my_mem != nullptr && my_mem->is_Mem()) {
4311 const TypeOopPtr* t_oop = my_mem->in(MemNode::Address)->bottom_type()->isa_oopptr();
4312 // Check for scalar replaced object reference.
4313 if( t_oop != nullptr && t_oop->is_known_instance_field() &&
4314 t_oop->offset() != Type::OffsetBot &&
4315 t_oop->offset() != Type::OffsetTop) {
4316 eliminate = true;
4317 }
4318 }
4319 } else if (opc == Op_MemBarRelease || (UseStoreStoreForCtor && opc == Op_MemBarStoreStore)) {
4320 // Final field stores.
4321 Node* alloc = AllocateNode::Ideal_allocation(in(MemBarNode::Precedent));
4322 if ((alloc != nullptr) && alloc->is_Allocate() &&
4323 alloc->as_Allocate()->does_not_escape_thread()) {
4324 // The allocated object does not escape.
4325 eliminate = true;
4326 }
4327 }
4328 if (eliminate) {
4329 // Replace MemBar projections by its inputs.
4330 PhaseIterGVN* igvn = phase->is_IterGVN();
4331 remove(igvn);
4332 // Must return either the original node (now dead) or a new node
4333 // (Do not return a top here, since that would break the uniqueness of top.)
4334 return new ConINode(TypeInt::ZERO);
4335 }
4336 }
4337 return progress ? this : nullptr;
4338 }
4339
4340 //------------------------------Value------------------------------------------
4341 const Type* MemBarNode::Value(PhaseGVN* phase) const {
4342 if( !in(0) ) return Type::TOP;
4343 if( phase->type(in(0)) == Type::TOP )
4344 return Type::TOP;
4345 return TypeTuple::MEMBAR;
4346 }
4347
4348 //------------------------------match------------------------------------------
4349 // Construct projections for memory.
4350 Node *MemBarNode::match( const ProjNode *proj, const Matcher *m ) {
4351 switch (proj->_con) {
4352 case TypeFunc::Control:
4353 case TypeFunc::Memory:
4354 return new MachProjNode(this, proj->_con, RegMask::EMPTY, MachProjNode::unmatched_proj);
4355 }
4356 ShouldNotReachHere();
4357 return nullptr;
4358 }
4359
4360 void MemBarNode::set_store_pair(MemBarNode* leading, MemBarNode* trailing) {
4361 trailing->_kind = TrailingStore;
4362 leading->_kind = LeadingStore;
4363 #ifdef ASSERT
4364 trailing->_pair_idx = leading->_idx;
4365 leading->_pair_idx = leading->_idx;
4366 #endif
4367 }
4368
4369 void MemBarNode::set_load_store_pair(MemBarNode* leading, MemBarNode* trailing) {
4370 trailing->_kind = TrailingLoadStore;
4371 leading->_kind = LeadingLoadStore;
4372 #ifdef ASSERT
4373 trailing->_pair_idx = leading->_idx;
4374 leading->_pair_idx = leading->_idx;
4375 #endif
4376 }
4377
4378 MemBarNode* MemBarNode::trailing_membar() const {
4379 ResourceMark rm;
4380 Node* trailing = (Node*)this;
4381 VectorSet seen;
4382 Node_Stack multis(0);
4383 do {
4384 Node* c = trailing;
4385 uint i = 0;
4386 do {
4387 trailing = nullptr;
4388 for (; i < c->outcnt(); i++) {
4389 Node* next = c->raw_out(i);
4390 if (next != c && next->is_CFG()) {
4391 if (c->is_MultiBranch()) {
4392 if (multis.node() == c) {
4393 multis.set_index(i+1);
4394 } else {
4395 multis.push(c, i+1);
4396 }
4397 }
4398 trailing = next;
4399 break;
4400 }
4401 }
4402 if (trailing != nullptr && !seen.test_set(trailing->_idx)) {
4403 break;
4404 }
4405 while (multis.size() > 0) {
4406 c = multis.node();
4407 i = multis.index();
4408 if (i < c->req()) {
4409 break;
4410 }
4411 multis.pop();
4412 }
4413 } while (multis.size() > 0);
4414 } while (!trailing->is_MemBar() || !trailing->as_MemBar()->trailing());
4415
4416 MemBarNode* mb = trailing->as_MemBar();
4417 assert((mb->_kind == TrailingStore && _kind == LeadingStore) ||
4418 (mb->_kind == TrailingLoadStore && _kind == LeadingLoadStore), "bad trailing membar");
4419 assert(mb->_pair_idx == _pair_idx, "bad trailing membar");
4420 return mb;
4421 }
4422
4423 MemBarNode* MemBarNode::leading_membar() const {
4424 ResourceMark rm;
4425 VectorSet seen;
4426 Node_Stack regions(0);
4427 Node* leading = in(0);
4428 while (leading != nullptr && (!leading->is_MemBar() || !leading->as_MemBar()->leading())) {
4429 while (leading == nullptr || leading->is_top() || seen.test_set(leading->_idx)) {
4430 leading = nullptr;
4431 while (regions.size() > 0 && leading == nullptr) {
4432 Node* r = regions.node();
4433 uint i = regions.index();
4434 if (i < r->req()) {
4435 leading = r->in(i);
4436 regions.set_index(i+1);
4437 } else {
4438 regions.pop();
4439 }
4440 }
4441 if (leading == nullptr) {
4442 assert(regions.size() == 0, "all paths should have been tried");
4443 return nullptr;
4444 }
4445 }
4446 if (leading->is_Region()) {
4447 regions.push(leading, 2);
4448 leading = leading->in(1);
4449 } else {
4450 leading = leading->in(0);
4451 }
4452 }
4453 #ifdef ASSERT
4454 Unique_Node_List wq;
4455 wq.push((Node*)this);
4456 uint found = 0;
4457 for (uint i = 0; i < wq.size(); i++) {
4458 Node* n = wq.at(i);
4459 if (n->is_Region()) {
4460 for (uint j = 1; j < n->req(); j++) {
4461 Node* in = n->in(j);
4462 if (in != nullptr && !in->is_top()) {
4463 wq.push(in);
4464 }
4465 }
4466 } else {
4467 if (n->is_MemBar() && n->as_MemBar()->leading()) {
4468 assert(n == leading, "consistency check failed");
4469 found++;
4470 } else {
4471 Node* in = n->in(0);
4472 if (in != nullptr && !in->is_top()) {
4473 wq.push(in);
4474 }
4475 }
4476 }
4477 }
4478 assert(found == 1 || (found == 0 && leading == nullptr), "consistency check failed");
4479 #endif
4480 if (leading == nullptr) {
4481 return nullptr;
4482 }
4483 MemBarNode* mb = leading->as_MemBar();
4484 assert((mb->_kind == LeadingStore && _kind == TrailingStore) ||
4485 (mb->_kind == LeadingLoadStore && _kind == TrailingLoadStore), "bad leading membar");
4486 assert(mb->_pair_idx == _pair_idx, "bad leading membar");
4487 return mb;
4488 }
4489
4490
4491 //===========================InitializeNode====================================
4492 // SUMMARY:
4493 // This node acts as a memory barrier on raw memory, after some raw stores.
4494 // The 'cooked' oop value feeds from the Initialize, not the Allocation.
4495 // The Initialize can 'capture' suitably constrained stores as raw inits.
4496 // It can coalesce related raw stores into larger units (called 'tiles').
4497 // It can avoid zeroing new storage for memory units which have raw inits.
4498 // At macro-expansion, it is marked 'complete', and does not optimize further.
4499 //
4500 // EXAMPLE:
4501 // The object 'new short[2]' occupies 16 bytes in a 32-bit machine.
4502 // ctl = incoming control; mem* = incoming memory
4503 // (Note: A star * on a memory edge denotes I/O and other standard edges.)
4504 // First allocate uninitialized memory and fill in the header:
4505 // alloc = (Allocate ctl mem* 16 #short[].klass ...)
4506 // ctl := alloc.Control; mem* := alloc.Memory*
4507 // rawmem = alloc.Memory; rawoop = alloc.RawAddress
4508 // Then initialize to zero the non-header parts of the raw memory block:
4509 // init = (Initialize alloc.Control alloc.Memory* alloc.RawAddress)
4510 // ctl := init.Control; mem.SLICE(#short[*]) := init.Memory
4511 // After the initialize node executes, the object is ready for service:
4512 // oop := (CheckCastPP init.Control alloc.RawAddress #short[])
4513 // Suppose its body is immediately initialized as {1,2}:
4514 // store1 = (StoreC init.Control init.Memory (+ oop 12) 1)
4515 // store2 = (StoreC init.Control store1 (+ oop 14) 2)
4516 // mem.SLICE(#short[*]) := store2
4517 //
4518 // DETAILS:
4519 // An InitializeNode collects and isolates object initialization after
4520 // an AllocateNode and before the next possible safepoint. As a
4521 // memory barrier (MemBarNode), it keeps critical stores from drifting
4522 // down past any safepoint or any publication of the allocation.
4523 // Before this barrier, a newly-allocated object may have uninitialized bits.
4524 // After this barrier, it may be treated as a real oop, and GC is allowed.
4525 //
4526 // The semantics of the InitializeNode include an implicit zeroing of
4527 // the new object from object header to the end of the object.
4528 // (The object header and end are determined by the AllocateNode.)
4529 //
4530 // Certain stores may be added as direct inputs to the InitializeNode.
4531 // These stores must update raw memory, and they must be to addresses
4532 // derived from the raw address produced by AllocateNode, and with
4533 // a constant offset. They must be ordered by increasing offset.
4534 // The first one is at in(RawStores), the last at in(req()-1).
4535 // Unlike most memory operations, they are not linked in a chain,
4536 // but are displayed in parallel as users of the rawmem output of
4537 // the allocation.
4538 //
4539 // (See comments in InitializeNode::capture_store, which continue
4540 // the example given above.)
4541 //
4542 // When the associated Allocate is macro-expanded, the InitializeNode
4543 // may be rewritten to optimize collected stores. A ClearArrayNode
4544 // may also be created at that point to represent any required zeroing.
4545 // The InitializeNode is then marked 'complete', prohibiting further
4546 // capturing of nearby memory operations.
4547 //
4548 // During macro-expansion, all captured initializations which store
4549 // constant values of 32 bits or smaller are coalesced (if advantageous)
4550 // into larger 'tiles' 32 or 64 bits. This allows an object to be
4551 // initialized in fewer memory operations. Memory words which are
4552 // covered by neither tiles nor non-constant stores are pre-zeroed
4553 // by explicit stores of zero. (The code shape happens to do all
4554 // zeroing first, then all other stores, with both sequences occurring
4555 // in order of ascending offsets.)
4556 //
4557 // Alternatively, code may be inserted between an AllocateNode and its
4558 // InitializeNode, to perform arbitrary initialization of the new object.
4559 // E.g., the object copying intrinsics insert complex data transfers here.
4560 // The initialization must then be marked as 'complete' disable the
4561 // built-in zeroing semantics and the collection of initializing stores.
4562 //
4563 // While an InitializeNode is incomplete, reads from the memory state
4564 // produced by it are optimizable if they match the control edge and
4565 // new oop address associated with the allocation/initialization.
4566 // They return a stored value (if the offset matches) or else zero.
4567 // A write to the memory state, if it matches control and address,
4568 // and if it is to a constant offset, may be 'captured' by the
4569 // InitializeNode. It is cloned as a raw memory operation and rewired
4570 // inside the initialization, to the raw oop produced by the allocation.
4571 // Operations on addresses which are provably distinct (e.g., to
4572 // other AllocateNodes) are allowed to bypass the initialization.
4573 //
4574 // The effect of all this is to consolidate object initialization
4575 // (both arrays and non-arrays, both piecewise and bulk) into a
4576 // single location, where it can be optimized as a unit.
4577 //
4578 // Only stores with an offset less than TrackedInitializationLimit words
4579 // will be considered for capture by an InitializeNode. This puts a
4580 // reasonable limit on the complexity of optimized initializations.
4581
4582 //---------------------------InitializeNode------------------------------------
4583 InitializeNode::InitializeNode(Compile* C, int adr_type, Node* rawoop)
4584 : MemBarNode(C, adr_type, rawoop),
4585 _is_complete(Incomplete), _does_not_escape(false)
4586 {
4587 init_class_id(Class_Initialize);
4588
4589 assert(adr_type == Compile::AliasIdxRaw, "only valid atp");
4590 assert(in(RawAddress) == rawoop, "proper init");
4591 // Note: allocation() can be null, for secondary initialization barriers
4592 }
4593
4594 // Since this node is not matched, it will be processed by the
4595 // register allocator. Declare that there are no constraints
4596 // on the allocation of the RawAddress edge.
4597 const RegMask &InitializeNode::in_RegMask(uint idx) const {
4598 // This edge should be set to top, by the set_complete. But be conservative.
4599 if (idx == InitializeNode::RawAddress)
4600 return *(Compile::current()->matcher()->idealreg2spillmask[in(idx)->ideal_reg()]);
4601 return RegMask::EMPTY;
4602 }
4603
4604 Node* InitializeNode::memory(uint alias_idx) {
4605 Node* mem = in(Memory);
4606 if (mem->is_MergeMem()) {
4607 return mem->as_MergeMem()->memory_at(alias_idx);
4608 } else {
4609 // incoming raw memory is not split
4610 return mem;
4611 }
4612 }
4613
4614 bool InitializeNode::is_non_zero() {
4615 if (is_complete()) return false;
4616 remove_extra_zeroes();
4617 return (req() > RawStores);
4618 }
4619
4620 void InitializeNode::set_complete(PhaseGVN* phase) {
4621 assert(!is_complete(), "caller responsibility");
4622 _is_complete = Complete;
4623
4624 // After this node is complete, it contains a bunch of
4625 // raw-memory initializations. There is no need for
4626 // it to have anything to do with non-raw memory effects.
4627 // Therefore, tell all non-raw users to re-optimize themselves,
4628 // after skipping the memory effects of this initialization.
4629 PhaseIterGVN* igvn = phase->is_IterGVN();
4630 if (igvn) igvn->add_users_to_worklist(this);
4631 }
4632
4633 // convenience function
4634 // return false if the init contains any stores already
4635 bool AllocateNode::maybe_set_complete(PhaseGVN* phase) {
4636 InitializeNode* init = initialization();
4637 if (init == nullptr || init->is_complete()) return false;
4638 init->remove_extra_zeroes();
4639 // for now, if this allocation has already collected any inits, bail:
4640 if (init->is_non_zero()) return false;
4641 init->set_complete(phase);
4642 return true;
4643 }
4644
4645 void InitializeNode::remove_extra_zeroes() {
4646 if (req() == RawStores) return;
4647 Node* zmem = zero_memory();
4648 uint fill = RawStores;
4649 for (uint i = fill; i < req(); i++) {
4650 Node* n = in(i);
4651 if (n->is_top() || n == zmem) continue; // skip
4652 if (fill < i) set_req(fill, n); // compact
4653 ++fill;
4654 }
4655 // delete any empty spaces created:
4656 while (fill < req()) {
4657 del_req(fill);
4658 }
4659 }
4660
4661 // Helper for remembering which stores go with which offsets.
4662 intptr_t InitializeNode::get_store_offset(Node* st, PhaseValues* phase) {
4663 if (!st->is_Store()) return -1; // can happen to dead code via subsume_node
4664 intptr_t offset = -1;
4665 Node* base = AddPNode::Ideal_base_and_offset(st->in(MemNode::Address),
4666 phase, offset);
4667 if (base == nullptr) return -1; // something is dead,
4668 if (offset < 0) return -1; // dead, dead
4669 return offset;
4670 }
4671
4672 // Helper for proving that an initialization expression is
4673 // "simple enough" to be folded into an object initialization.
4674 // Attempts to prove that a store's initial value 'n' can be captured
4675 // within the initialization without creating a vicious cycle, such as:
4676 // { Foo p = new Foo(); p.next = p; }
4677 // True for constants and parameters and small combinations thereof.
4678 bool InitializeNode::detect_init_independence(Node* value, PhaseGVN* phase) {
4679 ResourceMark rm;
4680 Unique_Node_List worklist;
4681 worklist.push(value);
4682
4683 uint complexity_limit = 20;
4684 for (uint j = 0; j < worklist.size(); j++) {
4685 if (j >= complexity_limit) {
4686 return false; // Bail out if processed too many nodes
4687 }
4688
4689 Node* n = worklist.at(j);
4690 if (n == nullptr) continue; // (can this really happen?)
4691 if (n->is_Proj()) n = n->in(0);
4692 if (n == this) return false; // found a cycle
4693 if (n->is_Con()) continue;
4694 if (n->is_Start()) continue; // params, etc., are OK
4695 if (n->is_Root()) continue; // even better
4696
4697 // There cannot be any dependency if 'n' is a CFG node that dominates the current allocation
4698 if (n->is_CFG() && phase->is_dominator(n, allocation())) {
4699 continue;
4700 }
4701
4702 Node* ctl = n->in(0);
4703 if (ctl != nullptr && !ctl->is_top()) {
4704 if (ctl->is_Proj()) ctl = ctl->in(0);
4705 if (ctl == this) return false;
4706
4707 // If we already know that the enclosing memory op is pinned right after
4708 // the init, then any control flow that the store has picked up
4709 // must have preceded the init, or else be equal to the init.
4710 // Even after loop optimizations (which might change control edges)
4711 // a store is never pinned *before* the availability of its inputs.
4712 if (!MemNode::all_controls_dominate(n, this)) {
4713 return false; // failed to prove a good control
4714 }
4715 }
4716
4717 // Check data edges for possible dependencies on 'this'.
4718 for (uint i = 1; i < n->req(); i++) {
4719 Node* m = n->in(i);
4720 if (m == nullptr || m == n || m->is_top()) continue;
4721
4722 // Only process data inputs once
4723 worklist.push(m);
4724 }
4725 }
4726
4727 return true;
4728 }
4729
4730 // Here are all the checks a Store must pass before it can be moved into
4731 // an initialization. Returns zero if a check fails.
4732 // On success, returns the (constant) offset to which the store applies,
4733 // within the initialized memory.
4734 intptr_t InitializeNode::can_capture_store(StoreNode* st, PhaseGVN* phase, bool can_reshape) {
4735 const int FAIL = 0;
4736 if (st->req() != MemNode::ValueIn + 1)
4737 return FAIL; // an inscrutable StoreNode (card mark?)
4738 Node* ctl = st->in(MemNode::Control);
4739 if (!(ctl != nullptr && ctl->is_Proj() && ctl->in(0) == this))
4740 return FAIL; // must be unconditional after the initialization
4741 Node* mem = st->in(MemNode::Memory);
4742 if (!(mem->is_Proj() && mem->in(0) == this))
4743 return FAIL; // must not be preceded by other stores
4744 BarrierSetC2* bs = BarrierSet::barrier_set()->barrier_set_c2();
4745 if ((st->Opcode() == Op_StoreP || st->Opcode() == Op_StoreN) &&
4746 !bs->can_initialize_object(st)) {
4747 return FAIL;
4748 }
4749 Node* adr = st->in(MemNode::Address);
4750 intptr_t offset;
4751 AllocateNode* alloc = AllocateNode::Ideal_allocation(adr, phase, offset);
4752 if (alloc == nullptr)
4753 return FAIL; // inscrutable address
4754 if (alloc != allocation())
4755 return FAIL; // wrong allocation! (store needs to float up)
4756 int size_in_bytes = st->memory_size();
4757 if ((size_in_bytes != 0) && (offset % size_in_bytes) != 0) {
4758 return FAIL; // mismatched access
4759 }
4760 Node* val = st->in(MemNode::ValueIn);
4761
4762 if (!detect_init_independence(val, phase))
4763 return FAIL; // stored value must be 'simple enough'
4764
4765 // The Store can be captured only if nothing after the allocation
4766 // and before the Store is using the memory location that the store
4767 // overwrites.
4768 bool failed = false;
4769 // If is_complete_with_arraycopy() is true the shape of the graph is
4770 // well defined and is safe so no need for extra checks.
4771 if (!is_complete_with_arraycopy()) {
4772 // We are going to look at each use of the memory state following
4773 // the allocation to make sure nothing reads the memory that the
4774 // Store writes.
4775 const TypePtr* t_adr = phase->type(adr)->isa_ptr();
4776 int alias_idx = phase->C->get_alias_index(t_adr);
4777 ResourceMark rm;
4778 Unique_Node_List mems;
4779 mems.push(mem);
4780 Node* unique_merge = nullptr;
4781 for (uint next = 0; next < mems.size(); ++next) {
4782 Node *m = mems.at(next);
4783 for (DUIterator_Fast jmax, j = m->fast_outs(jmax); j < jmax; j++) {
4784 Node *n = m->fast_out(j);
4785 if (n->outcnt() == 0) {
4786 continue;
4787 }
4788 if (n == st) {
4789 continue;
4790 } else if (n->in(0) != nullptr && n->in(0) != ctl) {
4791 // If the control of this use is different from the control
4792 // of the Store which is right after the InitializeNode then
4793 // this node cannot be between the InitializeNode and the
4794 // Store.
4795 continue;
4796 } else if (n->is_MergeMem()) {
4797 if (n->as_MergeMem()->memory_at(alias_idx) == m) {
4798 // We can hit a MergeMemNode (that will likely go away
4799 // later) that is a direct use of the memory state
4800 // following the InitializeNode on the same slice as the
4801 // store node that we'd like to capture. We need to check
4802 // the uses of the MergeMemNode.
4803 mems.push(n);
4804 }
4805 } else if (n->is_Mem()) {
4806 Node* other_adr = n->in(MemNode::Address);
4807 if (other_adr == adr) {
4808 failed = true;
4809 break;
4810 } else {
4811 const TypePtr* other_t_adr = phase->type(other_adr)->isa_ptr();
4812 if (other_t_adr != nullptr) {
4813 int other_alias_idx = phase->C->get_alias_index(other_t_adr);
4814 if (other_alias_idx == alias_idx) {
4815 // A load from the same memory slice as the store right
4816 // after the InitializeNode. We check the control of the
4817 // object/array that is loaded from. If it's the same as
4818 // the store control then we cannot capture the store.
4819 assert(!n->is_Store(), "2 stores to same slice on same control?");
4820 Node* base = other_adr;
4821 assert(base->is_AddP(), "should be addp but is %s", base->Name());
4822 base = base->in(AddPNode::Base);
4823 if (base != nullptr) {
4824 base = base->uncast();
4825 if (base->is_Proj() && base->in(0) == alloc) {
4826 failed = true;
4827 break;
4828 }
4829 }
4830 }
4831 }
4832 }
4833 } else {
4834 failed = true;
4835 break;
4836 }
4837 }
4838 }
4839 }
4840 if (failed) {
4841 if (!can_reshape) {
4842 // We decided we couldn't capture the store during parsing. We
4843 // should try again during the next IGVN once the graph is
4844 // cleaner.
4845 phase->C->record_for_igvn(st);
4846 }
4847 return FAIL;
4848 }
4849
4850 return offset; // success
4851 }
4852
4853 // Find the captured store in(i) which corresponds to the range
4854 // [start..start+size) in the initialized object.
4855 // If there is one, return its index i. If there isn't, return the
4856 // negative of the index where it should be inserted.
4857 // Return 0 if the queried range overlaps an initialization boundary
4858 // or if dead code is encountered.
4859 // If size_in_bytes is zero, do not bother with overlap checks.
4860 int InitializeNode::captured_store_insertion_point(intptr_t start,
4861 int size_in_bytes,
4862 PhaseValues* phase) {
4863 const int FAIL = 0, MAX_STORE = MAX2(BytesPerLong, (int)MaxVectorSize);
4864
4865 if (is_complete())
4866 return FAIL; // arraycopy got here first; punt
4867
4868 assert(allocation() != nullptr, "must be present");
4869
4870 // no negatives, no header fields:
4871 if (start < (intptr_t) allocation()->minimum_header_size()) return FAIL;
4872
4873 // after a certain size, we bail out on tracking all the stores:
4874 intptr_t ti_limit = (TrackedInitializationLimit * HeapWordSize);
4875 if (start >= ti_limit) return FAIL;
4876
4877 for (uint i = InitializeNode::RawStores, limit = req(); ; ) {
4878 if (i >= limit) return -(int)i; // not found; here is where to put it
4879
4880 Node* st = in(i);
4881 intptr_t st_off = get_store_offset(st, phase);
4882 if (st_off < 0) {
4883 if (st != zero_memory()) {
4884 return FAIL; // bail out if there is dead garbage
4885 }
4886 } else if (st_off > start) {
4887 // ...we are done, since stores are ordered
4888 if (st_off < start + size_in_bytes) {
4889 return FAIL; // the next store overlaps
4890 }
4891 return -(int)i; // not found; here is where to put it
4892 } else if (st_off < start) {
4893 assert(st->as_Store()->memory_size() <= MAX_STORE, "");
4894 if (size_in_bytes != 0 &&
4895 start < st_off + MAX_STORE &&
4896 start < st_off + st->as_Store()->memory_size()) {
4897 return FAIL; // the previous store overlaps
4898 }
4899 } else {
4900 if (size_in_bytes != 0 &&
4901 st->as_Store()->memory_size() != size_in_bytes) {
4902 return FAIL; // mismatched store size
4903 }
4904 return i;
4905 }
4906
4907 ++i;
4908 }
4909 }
4910
4911 // Look for a captured store which initializes at the offset 'start'
4912 // with the given size. If there is no such store, and no other
4913 // initialization interferes, then return zero_memory (the memory
4914 // projection of the AllocateNode).
4915 Node* InitializeNode::find_captured_store(intptr_t start, int size_in_bytes,
4916 PhaseValues* phase) {
4917 assert(stores_are_sane(phase), "");
4918 int i = captured_store_insertion_point(start, size_in_bytes, phase);
4919 if (i == 0) {
4920 return nullptr; // something is dead
4921 } else if (i < 0) {
4922 return zero_memory(); // just primordial zero bits here
4923 } else {
4924 Node* st = in(i); // here is the store at this position
4925 assert(get_store_offset(st->as_Store(), phase) == start, "sanity");
4926 return st;
4927 }
4928 }
4929
4930 // Create, as a raw pointer, an address within my new object at 'offset'.
4931 Node* InitializeNode::make_raw_address(intptr_t offset,
4932 PhaseGVN* phase) {
4933 Node* addr = in(RawAddress);
4934 if (offset != 0) {
4935 Compile* C = phase->C;
4936 addr = phase->transform( new AddPNode(C->top(), addr,
4937 phase->MakeConX(offset)) );
4938 }
4939 return addr;
4940 }
4941
4942 // Clone the given store, converting it into a raw store
4943 // initializing a field or element of my new object.
4944 // Caller is responsible for retiring the original store,
4945 // with subsume_node or the like.
4946 //
4947 // From the example above InitializeNode::InitializeNode,
4948 // here are the old stores to be captured:
4949 // store1 = (StoreC init.Control init.Memory (+ oop 12) 1)
4950 // store2 = (StoreC init.Control store1 (+ oop 14) 2)
4951 //
4952 // Here is the changed code; note the extra edges on init:
4953 // alloc = (Allocate ...)
4954 // rawoop = alloc.RawAddress
4955 // rawstore1 = (StoreC alloc.Control alloc.Memory (+ rawoop 12) 1)
4956 // rawstore2 = (StoreC alloc.Control alloc.Memory (+ rawoop 14) 2)
4957 // init = (Initialize alloc.Control alloc.Memory rawoop
4958 // rawstore1 rawstore2)
4959 //
4960 Node* InitializeNode::capture_store(StoreNode* st, intptr_t start,
4961 PhaseGVN* phase, bool can_reshape) {
4962 assert(stores_are_sane(phase), "");
4963
4964 if (start < 0) return nullptr;
4965 assert(can_capture_store(st, phase, can_reshape) == start, "sanity");
4966
4967 Compile* C = phase->C;
4968 int size_in_bytes = st->memory_size();
4969 int i = captured_store_insertion_point(start, size_in_bytes, phase);
4970 if (i == 0) return nullptr; // bail out
4971 Node* prev_mem = nullptr; // raw memory for the captured store
4972 if (i > 0) {
4973 prev_mem = in(i); // there is a pre-existing store under this one
4974 set_req(i, C->top()); // temporarily disconnect it
4975 // See StoreNode::Ideal 'st->outcnt() == 1' for the reason to disconnect.
4976 } else {
4977 i = -i; // no pre-existing store
4978 prev_mem = zero_memory(); // a slice of the newly allocated object
4979 if (i > InitializeNode::RawStores && in(i-1) == prev_mem)
4980 set_req(--i, C->top()); // reuse this edge; it has been folded away
4981 else
4982 ins_req(i, C->top()); // build a new edge
4983 }
4984 Node* new_st = st->clone();
4985 BarrierSetC2* bs = BarrierSet::barrier_set()->barrier_set_c2();
4986 new_st->set_req(MemNode::Control, in(Control));
4987 new_st->set_req(MemNode::Memory, prev_mem);
4988 new_st->set_req(MemNode::Address, make_raw_address(start, phase));
4989 bs->eliminate_gc_barrier_data(new_st);
4990 new_st = phase->transform(new_st);
4991
4992 // At this point, new_st might have swallowed a pre-existing store
4993 // at the same offset, or perhaps new_st might have disappeared,
4994 // if it redundantly stored the same value (or zero to fresh memory).
4995
4996 // In any case, wire it in:
4997 PhaseIterGVN* igvn = phase->is_IterGVN();
4998 if (igvn) {
4999 igvn->rehash_node_delayed(this);
5000 }
5001 set_req(i, new_st);
5002
5003 // The caller may now kill the old guy.
5004 DEBUG_ONLY(Node* check_st = find_captured_store(start, size_in_bytes, phase));
5005 assert(check_st == new_st || check_st == nullptr, "must be findable");
5006 assert(!is_complete(), "");
5007 return new_st;
5008 }
5009
5010 static bool store_constant(jlong* tiles, int num_tiles,
5011 intptr_t st_off, int st_size,
5012 jlong con) {
5013 if ((st_off & (st_size-1)) != 0)
5014 return false; // strange store offset (assume size==2**N)
5015 address addr = (address)tiles + st_off;
5016 assert(st_off >= 0 && addr+st_size <= (address)&tiles[num_tiles], "oob");
5017 switch (st_size) {
5018 case sizeof(jbyte): *(jbyte*) addr = (jbyte) con; break;
5019 case sizeof(jchar): *(jchar*) addr = (jchar) con; break;
5020 case sizeof(jint): *(jint*) addr = (jint) con; break;
5021 case sizeof(jlong): *(jlong*) addr = (jlong) con; break;
5022 default: return false; // strange store size (detect size!=2**N here)
5023 }
5024 return true; // return success to caller
5025 }
5026
5027 // Coalesce subword constants into int constants and possibly
5028 // into long constants. The goal, if the CPU permits,
5029 // is to initialize the object with a small number of 64-bit tiles.
5030 // Also, convert floating-point constants to bit patterns.
5031 // Non-constants are not relevant to this pass.
5032 //
5033 // In terms of the running example on InitializeNode::InitializeNode
5034 // and InitializeNode::capture_store, here is the transformation
5035 // of rawstore1 and rawstore2 into rawstore12:
5036 // alloc = (Allocate ...)
5037 // rawoop = alloc.RawAddress
5038 // tile12 = 0x00010002
5039 // rawstore12 = (StoreI alloc.Control alloc.Memory (+ rawoop 12) tile12)
5040 // init = (Initialize alloc.Control alloc.Memory rawoop rawstore12)
5041 //
5042 void
5043 InitializeNode::coalesce_subword_stores(intptr_t header_size,
5044 Node* size_in_bytes,
5045 PhaseGVN* phase) {
5046 Compile* C = phase->C;
5047
5048 assert(stores_are_sane(phase), "");
5049 // Note: After this pass, they are not completely sane,
5050 // since there may be some overlaps.
5051
5052 int old_subword = 0, old_long = 0, new_int = 0, new_long = 0;
5053
5054 intptr_t ti_limit = (TrackedInitializationLimit * HeapWordSize);
5055 intptr_t size_limit = phase->find_intptr_t_con(size_in_bytes, ti_limit);
5056 size_limit = MIN2(size_limit, ti_limit);
5057 size_limit = align_up(size_limit, BytesPerLong);
5058 int num_tiles = size_limit / BytesPerLong;
5059
5060 // allocate space for the tile map:
5061 const int small_len = DEBUG_ONLY(true ? 3 :) 30; // keep stack frames small
5062 jlong tiles_buf[small_len];
5063 Node* nodes_buf[small_len];
5064 jlong inits_buf[small_len];
5065 jlong* tiles = ((num_tiles <= small_len) ? &tiles_buf[0]
5066 : NEW_RESOURCE_ARRAY(jlong, num_tiles));
5067 Node** nodes = ((num_tiles <= small_len) ? &nodes_buf[0]
5068 : NEW_RESOURCE_ARRAY(Node*, num_tiles));
5069 jlong* inits = ((num_tiles <= small_len) ? &inits_buf[0]
5070 : NEW_RESOURCE_ARRAY(jlong, num_tiles));
5071 // tiles: exact bitwise model of all primitive constants
5072 // nodes: last constant-storing node subsumed into the tiles model
5073 // inits: which bytes (in each tile) are touched by any initializations
5074
5075 //// Pass A: Fill in the tile model with any relevant stores.
5076
5077 Copy::zero_to_bytes(tiles, sizeof(tiles[0]) * num_tiles);
5078 Copy::zero_to_bytes(nodes, sizeof(nodes[0]) * num_tiles);
5079 Copy::zero_to_bytes(inits, sizeof(inits[0]) * num_tiles);
5080 Node* zmem = zero_memory(); // initially zero memory state
5081 for (uint i = InitializeNode::RawStores, limit = req(); i < limit; i++) {
5082 Node* st = in(i);
5083 intptr_t st_off = get_store_offset(st, phase);
5084
5085 // Figure out the store's offset and constant value:
5086 if (st_off < header_size) continue; //skip (ignore header)
5087 if (st->in(MemNode::Memory) != zmem) continue; //skip (odd store chain)
5088 int st_size = st->as_Store()->memory_size();
5089 if (st_off + st_size > size_limit) break;
5090
5091 // Record which bytes are touched, whether by constant or not.
5092 if (!store_constant(inits, num_tiles, st_off, st_size, (jlong) -1))
5093 continue; // skip (strange store size)
5094
5095 const Type* val = phase->type(st->in(MemNode::ValueIn));
5096 if (!val->singleton()) continue; //skip (non-con store)
5097 BasicType type = val->basic_type();
5098
5099 jlong con = 0;
5100 switch (type) {
5101 case T_INT: con = val->is_int()->get_con(); break;
5102 case T_LONG: con = val->is_long()->get_con(); break;
5103 case T_FLOAT: con = jint_cast(val->getf()); break;
5104 case T_DOUBLE: con = jlong_cast(val->getd()); break;
5105 default: continue; //skip (odd store type)
5106 }
5107
5108 if (type == T_LONG && Matcher::isSimpleConstant64(con) &&
5109 st->Opcode() == Op_StoreL) {
5110 continue; // This StoreL is already optimal.
5111 }
5112
5113 // Store down the constant.
5114 store_constant(tiles, num_tiles, st_off, st_size, con);
5115
5116 intptr_t j = st_off >> LogBytesPerLong;
5117
5118 if (type == T_INT && st_size == BytesPerInt
5119 && (st_off & BytesPerInt) == BytesPerInt) {
5120 jlong lcon = tiles[j];
5121 if (!Matcher::isSimpleConstant64(lcon) &&
5122 st->Opcode() == Op_StoreI) {
5123 // This StoreI is already optimal by itself.
5124 jint* intcon = (jint*) &tiles[j];
5125 intcon[1] = 0; // undo the store_constant()
5126
5127 // If the previous store is also optimal by itself, back up and
5128 // undo the action of the previous loop iteration... if we can.
5129 // But if we can't, just let the previous half take care of itself.
5130 st = nodes[j];
5131 st_off -= BytesPerInt;
5132 con = intcon[0];
5133 if (con != 0 && st != nullptr && st->Opcode() == Op_StoreI) {
5134 assert(st_off >= header_size, "still ignoring header");
5135 assert(get_store_offset(st, phase) == st_off, "must be");
5136 assert(in(i-1) == zmem, "must be");
5137 DEBUG_ONLY(const Type* tcon = phase->type(st->in(MemNode::ValueIn)));
5138 assert(con == tcon->is_int()->get_con(), "must be");
5139 // Undo the effects of the previous loop trip, which swallowed st:
5140 intcon[0] = 0; // undo store_constant()
5141 set_req(i-1, st); // undo set_req(i, zmem)
5142 nodes[j] = nullptr; // undo nodes[j] = st
5143 --old_subword; // undo ++old_subword
5144 }
5145 continue; // This StoreI is already optimal.
5146 }
5147 }
5148
5149 // This store is not needed.
5150 set_req(i, zmem);
5151 nodes[j] = st; // record for the moment
5152 if (st_size < BytesPerLong) // something has changed
5153 ++old_subword; // includes int/float, but who's counting...
5154 else ++old_long;
5155 }
5156
5157 if ((old_subword + old_long) == 0)
5158 return; // nothing more to do
5159
5160 //// Pass B: Convert any non-zero tiles into optimal constant stores.
5161 // Be sure to insert them before overlapping non-constant stores.
5162 // (E.g., byte[] x = { 1,2,y,4 } => x[int 0] = 0x01020004, x[2]=y.)
5163 for (int j = 0; j < num_tiles; j++) {
5164 jlong con = tiles[j];
5165 jlong init = inits[j];
5166 if (con == 0) continue;
5167 jint con0, con1; // split the constant, address-wise
5168 jint init0, init1; // split the init map, address-wise
5169 { union { jlong con; jint intcon[2]; } u;
5170 u.con = con;
5171 con0 = u.intcon[0];
5172 con1 = u.intcon[1];
5173 u.con = init;
5174 init0 = u.intcon[0];
5175 init1 = u.intcon[1];
5176 }
5177
5178 Node* old = nodes[j];
5179 assert(old != nullptr, "need the prior store");
5180 intptr_t offset = (j * BytesPerLong);
5181
5182 bool split = !Matcher::isSimpleConstant64(con);
5183
5184 if (offset < header_size) {
5185 assert(offset + BytesPerInt >= header_size, "second int counts");
5186 assert(*(jint*)&tiles[j] == 0, "junk in header");
5187 split = true; // only the second word counts
5188 // Example: int a[] = { 42 ... }
5189 } else if (con0 == 0 && init0 == -1) {
5190 split = true; // first word is covered by full inits
5191 // Example: int a[] = { ... foo(), 42 ... }
5192 } else if (con1 == 0 && init1 == -1) {
5193 split = true; // second word is covered by full inits
5194 // Example: int a[] = { ... 42, foo() ... }
5195 }
5196
5197 // Here's a case where init0 is neither 0 nor -1:
5198 // byte a[] = { ... 0,0,foo(),0, 0,0,0,42 ... }
5199 // Assuming big-endian memory, init0, init1 are 0x0000FF00, 0x000000FF.
5200 // In this case the tile is not split; it is (jlong)42.
5201 // The big tile is stored down, and then the foo() value is inserted.
5202 // (If there were foo(),foo() instead of foo(),0, init0 would be -1.)
5203
5204 Node* ctl = old->in(MemNode::Control);
5205 Node* adr = make_raw_address(offset, phase);
5206 const TypePtr* atp = TypeRawPtr::BOTTOM;
5207
5208 // One or two coalesced stores to plop down.
5209 Node* st[2];
5210 intptr_t off[2];
5211 int nst = 0;
5212 if (!split) {
5213 ++new_long;
5214 off[nst] = offset;
5215 st[nst++] = StoreNode::make(*phase, ctl, zmem, adr, atp,
5216 phase->longcon(con), T_LONG, MemNode::unordered);
5217 } else {
5218 // Omit either if it is a zero.
5219 if (con0 != 0) {
5220 ++new_int;
5221 off[nst] = offset;
5222 st[nst++] = StoreNode::make(*phase, ctl, zmem, adr, atp,
5223 phase->intcon(con0), T_INT, MemNode::unordered);
5224 }
5225 if (con1 != 0) {
5226 ++new_int;
5227 offset += BytesPerInt;
5228 adr = make_raw_address(offset, phase);
5229 off[nst] = offset;
5230 st[nst++] = StoreNode::make(*phase, ctl, zmem, adr, atp,
5231 phase->intcon(con1), T_INT, MemNode::unordered);
5232 }
5233 }
5234
5235 // Insert second store first, then the first before the second.
5236 // Insert each one just before any overlapping non-constant stores.
5237 while (nst > 0) {
5238 Node* st1 = st[--nst];
5239 C->copy_node_notes_to(st1, old);
5240 st1 = phase->transform(st1);
5241 offset = off[nst];
5242 assert(offset >= header_size, "do not smash header");
5243 int ins_idx = captured_store_insertion_point(offset, /*size:*/0, phase);
5244 guarantee(ins_idx != 0, "must re-insert constant store");
5245 if (ins_idx < 0) ins_idx = -ins_idx; // never overlap
5246 if (ins_idx > InitializeNode::RawStores && in(ins_idx-1) == zmem)
5247 set_req(--ins_idx, st1);
5248 else
5249 ins_req(ins_idx, st1);
5250 }
5251 }
5252
5253 if (PrintCompilation && WizardMode)
5254 tty->print_cr("Changed %d/%d subword/long constants into %d/%d int/long",
5255 old_subword, old_long, new_int, new_long);
5256 if (C->log() != nullptr)
5257 C->log()->elem("comment that='%d/%d subword/long to %d/%d int/long'",
5258 old_subword, old_long, new_int, new_long);
5259
5260 // Clean up any remaining occurrences of zmem:
5261 remove_extra_zeroes();
5262 }
5263
5264 // Explore forward from in(start) to find the first fully initialized
5265 // word, and return its offset. Skip groups of subword stores which
5266 // together initialize full words. If in(start) is itself part of a
5267 // fully initialized word, return the offset of in(start). If there
5268 // are no following full-word stores, or if something is fishy, return
5269 // a negative value.
5270 intptr_t InitializeNode::find_next_fullword_store(uint start, PhaseGVN* phase) {
5271 int int_map = 0;
5272 intptr_t int_map_off = 0;
5273 const int FULL_MAP = right_n_bits(BytesPerInt); // the int_map we hope for
5274
5275 for (uint i = start, limit = req(); i < limit; i++) {
5276 Node* st = in(i);
5277
5278 intptr_t st_off = get_store_offset(st, phase);
5279 if (st_off < 0) break; // return conservative answer
5280
5281 int st_size = st->as_Store()->memory_size();
5282 if (st_size >= BytesPerInt && (st_off % BytesPerInt) == 0) {
5283 return st_off; // we found a complete word init
5284 }
5285
5286 // update the map:
5287
5288 intptr_t this_int_off = align_down(st_off, BytesPerInt);
5289 if (this_int_off != int_map_off) {
5290 // reset the map:
5291 int_map = 0;
5292 int_map_off = this_int_off;
5293 }
5294
5295 int subword_off = st_off - this_int_off;
5296 int_map |= right_n_bits(st_size) << subword_off;
5297 if ((int_map & FULL_MAP) == FULL_MAP) {
5298 return this_int_off; // we found a complete word init
5299 }
5300
5301 // Did this store hit or cross the word boundary?
5302 intptr_t next_int_off = align_down(st_off + st_size, BytesPerInt);
5303 if (next_int_off == this_int_off + BytesPerInt) {
5304 // We passed the current int, without fully initializing it.
5305 int_map_off = next_int_off;
5306 int_map >>= BytesPerInt;
5307 } else if (next_int_off > this_int_off + BytesPerInt) {
5308 // We passed the current and next int.
5309 return this_int_off + BytesPerInt;
5310 }
5311 }
5312
5313 return -1;
5314 }
5315
5316
5317 // Called when the associated AllocateNode is expanded into CFG.
5318 // At this point, we may perform additional optimizations.
5319 // Linearize the stores by ascending offset, to make memory
5320 // activity as coherent as possible.
5321 Node* InitializeNode::complete_stores(Node* rawctl, Node* rawmem, Node* rawptr,
5322 intptr_t header_size,
5323 Node* size_in_bytes,
5324 PhaseIterGVN* phase) {
5325 assert(!is_complete(), "not already complete");
5326 assert(stores_are_sane(phase), "");
5327 assert(allocation() != nullptr, "must be present");
5328
5329 remove_extra_zeroes();
5330
5331 if (ReduceFieldZeroing || ReduceBulkZeroing)
5332 // reduce instruction count for common initialization patterns
5333 coalesce_subword_stores(header_size, size_in_bytes, phase);
5334
5335 Node* zmem = zero_memory(); // initially zero memory state
5336 Node* inits = zmem; // accumulating a linearized chain of inits
5337 #ifdef ASSERT
5338 intptr_t first_offset = allocation()->minimum_header_size();
5339 intptr_t last_init_off = first_offset; // previous init offset
5340 intptr_t last_init_end = first_offset; // previous init offset+size
5341 intptr_t last_tile_end = first_offset; // previous tile offset+size
5342 #endif
5343 intptr_t zeroes_done = header_size;
5344
5345 bool do_zeroing = true; // we might give up if inits are very sparse
5346 int big_init_gaps = 0; // how many large gaps have we seen?
5347
5348 if (UseTLAB && ZeroTLAB) do_zeroing = false;
5349 if (!ReduceFieldZeroing && !ReduceBulkZeroing) do_zeroing = false;
5350
5351 for (uint i = InitializeNode::RawStores, limit = req(); i < limit; i++) {
5352 Node* st = in(i);
5353 intptr_t st_off = get_store_offset(st, phase);
5354 if (st_off < 0)
5355 break; // unknown junk in the inits
5356 if (st->in(MemNode::Memory) != zmem)
5357 break; // complicated store chains somehow in list
5358
5359 int st_size = st->as_Store()->memory_size();
5360 intptr_t next_init_off = st_off + st_size;
5361
5362 if (do_zeroing && zeroes_done < next_init_off) {
5363 // See if this store needs a zero before it or under it.
5364 intptr_t zeroes_needed = st_off;
5365
5366 if (st_size < BytesPerInt) {
5367 // Look for subword stores which only partially initialize words.
5368 // If we find some, we must lay down some word-level zeroes first,
5369 // underneath the subword stores.
5370 //
5371 // Examples:
5372 // byte[] a = { p,q,r,s } => a[0]=p,a[1]=q,a[2]=r,a[3]=s
5373 // byte[] a = { x,y,0,0 } => a[0..3] = 0, a[0]=x,a[1]=y
5374 // byte[] a = { 0,0,z,0 } => a[0..3] = 0, a[2]=z
5375 //
5376 // Note: coalesce_subword_stores may have already done this,
5377 // if it was prompted by constant non-zero subword initializers.
5378 // But this case can still arise with non-constant stores.
5379
5380 intptr_t next_full_store = find_next_fullword_store(i, phase);
5381
5382 // In the examples above:
5383 // in(i) p q r s x y z
5384 // st_off 12 13 14 15 12 13 14
5385 // st_size 1 1 1 1 1 1 1
5386 // next_full_s. 12 16 16 16 16 16 16
5387 // z's_done 12 16 16 16 12 16 12
5388 // z's_needed 12 16 16 16 16 16 16
5389 // zsize 0 0 0 0 4 0 4
5390 if (next_full_store < 0) {
5391 // Conservative tack: Zero to end of current word.
5392 zeroes_needed = align_up(zeroes_needed, BytesPerInt);
5393 } else {
5394 // Zero to beginning of next fully initialized word.
5395 // Or, don't zero at all, if we are already in that word.
5396 assert(next_full_store >= zeroes_needed, "must go forward");
5397 assert((next_full_store & (BytesPerInt-1)) == 0, "even boundary");
5398 zeroes_needed = next_full_store;
5399 }
5400 }
5401
5402 if (zeroes_needed > zeroes_done) {
5403 intptr_t zsize = zeroes_needed - zeroes_done;
5404 // Do some incremental zeroing on rawmem, in parallel with inits.
5405 zeroes_done = align_down(zeroes_done, BytesPerInt);
5406 rawmem = ClearArrayNode::clear_memory(rawctl, rawmem, rawptr,
5407 zeroes_done, zeroes_needed,
5408 true,
5409 phase);
5410 zeroes_done = zeroes_needed;
5411 if (zsize > InitArrayShortSize && ++big_init_gaps > 2)
5412 do_zeroing = false; // leave the hole, next time
5413 }
5414 }
5415
5416 // Collect the store and move on:
5417 phase->replace_input_of(st, MemNode::Memory, inits);
5418 inits = st; // put it on the linearized chain
5419 set_req(i, zmem); // unhook from previous position
5420
5421 if (zeroes_done == st_off)
5422 zeroes_done = next_init_off;
5423
5424 assert(!do_zeroing || zeroes_done >= next_init_off, "don't miss any");
5425
5426 #ifdef ASSERT
5427 // Various order invariants. Weaker than stores_are_sane because
5428 // a large constant tile can be filled in by smaller non-constant stores.
5429 assert(st_off >= last_init_off, "inits do not reverse");
5430 last_init_off = st_off;
5431 const Type* val = nullptr;
5432 if (st_size >= BytesPerInt &&
5433 (val = phase->type(st->in(MemNode::ValueIn)))->singleton() &&
5434 (int)val->basic_type() < (int)T_OBJECT) {
5435 assert(st_off >= last_tile_end, "tiles do not overlap");
5436 assert(st_off >= last_init_end, "tiles do not overwrite inits");
5437 last_tile_end = MAX2(last_tile_end, next_init_off);
5438 } else {
5439 intptr_t st_tile_end = align_up(next_init_off, BytesPerLong);
5440 assert(st_tile_end >= last_tile_end, "inits stay with tiles");
5441 assert(st_off >= last_init_end, "inits do not overlap");
5442 last_init_end = next_init_off; // it's a non-tile
5443 }
5444 #endif //ASSERT
5445 }
5446
5447 remove_extra_zeroes(); // clear out all the zmems left over
5448 add_req(inits);
5449
5450 if (!(UseTLAB && ZeroTLAB)) {
5451 // If anything remains to be zeroed, zero it all now.
5452 zeroes_done = align_down(zeroes_done, BytesPerInt);
5453 // if it is the last unused 4 bytes of an instance, forget about it
5454 intptr_t size_limit = phase->find_intptr_t_con(size_in_bytes, max_jint);
5455 if (zeroes_done + BytesPerLong >= size_limit) {
5456 AllocateNode* alloc = allocation();
5457 assert(alloc != nullptr, "must be present");
5458 if (alloc != nullptr && alloc->Opcode() == Op_Allocate) {
5459 Node* klass_node = alloc->in(AllocateNode::KlassNode);
5460 ciKlass* k = phase->type(klass_node)->is_instklassptr()->instance_klass();
5461 if (zeroes_done == k->layout_helper())
5462 zeroes_done = size_limit;
5463 }
5464 }
5465 if (zeroes_done < size_limit) {
5466 rawmem = ClearArrayNode::clear_memory(rawctl, rawmem, rawptr,
5467 zeroes_done, size_in_bytes, true, phase);
5468 }
5469 }
5470
5471 set_complete(phase);
5472 return rawmem;
5473 }
5474
5475 void InitializeNode::replace_mem_projs_by(Node* mem, Compile* C) {
5476 auto replace_proj = [&](ProjNode* proj) {
5477 C->gvn_replace_by(proj, mem);
5478 return CONTINUE;
5479 };
5480 apply_to_projs(replace_proj, TypeFunc::Memory);
5481 }
5482
5483 void InitializeNode::replace_mem_projs_by(Node* mem, PhaseIterGVN* igvn) {
5484 DUIterator_Fast imax, i = fast_outs(imax);
5485 auto replace_proj = [&](ProjNode* proj) {
5486 igvn->replace_node(proj, mem);
5487 --i; --imax;
5488 return CONTINUE;
5489 };
5490 apply_to_projs(imax, i, replace_proj, TypeFunc::Memory);
5491 }
5492
5493 bool InitializeNode::already_has_narrow_mem_proj_with_adr_type(const TypePtr* adr_type) const {
5494 auto find_proj = [&](ProjNode* proj) {
5495 if (proj->adr_type() == adr_type) {
5496 return BREAK_AND_RETURN_CURRENT_PROJ;
5497 }
5498 return CONTINUE;
5499 };
5500 DUIterator_Fast imax, i = fast_outs(imax);
5501 return apply_to_narrow_mem_projs_any_iterator(UsesIteratorFast(imax, i, this), find_proj) != nullptr;
5502 }
5503
5504 MachProjNode* InitializeNode::mem_mach_proj() const {
5505 auto find_proj = [](ProjNode* proj) {
5506 if (proj->is_MachProj()) {
5507 return BREAK_AND_RETURN_CURRENT_PROJ;
5508 }
5509 return CONTINUE;
5510 };
5511 ProjNode* proj = apply_to_projs(find_proj, TypeFunc::Memory);
5512 if (proj == nullptr) {
5513 return nullptr;
5514 }
5515 return proj->as_MachProj();
5516 }
5517
5518 #ifdef ASSERT
5519 bool InitializeNode::stores_are_sane(PhaseValues* phase) {
5520 if (is_complete())
5521 return true; // stores could be anything at this point
5522 assert(allocation() != nullptr, "must be present");
5523 intptr_t last_off = allocation()->minimum_header_size();
5524 for (uint i = InitializeNode::RawStores; i < req(); i++) {
5525 Node* st = in(i);
5526 intptr_t st_off = get_store_offset(st, phase);
5527 if (st_off < 0) continue; // ignore dead garbage
5528 if (last_off > st_off) {
5529 tty->print_cr("*** bad store offset at %d: %zd > %zd", i, last_off, st_off);
5530 this->dump(2);
5531 assert(false, "ascending store offsets");
5532 return false;
5533 }
5534 last_off = st_off + st->as_Store()->memory_size();
5535 }
5536 return true;
5537 }
5538 #endif //ASSERT
5539
5540
5541
5542
5543 //============================MergeMemNode=====================================
5544 //
5545 // SEMANTICS OF MEMORY MERGES: A MergeMem is a memory state assembled from several
5546 // contributing store or call operations. Each contributor provides the memory
5547 // state for a particular "alias type" (see Compile::alias_type). For example,
5548 // if a MergeMem has an input X for alias category #6, then any memory reference
5549 // to alias category #6 may use X as its memory state input, as an exact equivalent
5550 // to using the MergeMem as a whole.
5551 // Load<6>( MergeMem(<6>: X, ...), p ) <==> Load<6>(X,p)
5552 //
5553 // (Here, the <N> notation gives the index of the relevant adr_type.)
5554 //
5555 // In one special case (and more cases in the future), alias categories overlap.
5556 // The special alias category "Bot" (Compile::AliasIdxBot) includes all memory
5557 // states. Therefore, if a MergeMem has only one contributing input W for Bot,
5558 // it is exactly equivalent to that state W:
5559 // MergeMem(<Bot>: W) <==> W
5560 //
5561 // Usually, the merge has more than one input. In that case, where inputs
5562 // overlap (i.e., one is Bot), the narrower alias type determines the memory
5563 // state for that type, and the wider alias type (Bot) fills in everywhere else:
5564 // Load<5>( MergeMem(<Bot>: W, <6>: X), p ) <==> Load<5>(W,p)
5565 // Load<6>( MergeMem(<Bot>: W, <6>: X), p ) <==> Load<6>(X,p)
5566 //
5567 // A merge can take a "wide" memory state as one of its narrow inputs.
5568 // This simply means that the merge observes out only the relevant parts of
5569 // the wide input. That is, wide memory states arriving at narrow merge inputs
5570 // are implicitly "filtered" or "sliced" as necessary. (This is rare.)
5571 //
5572 // These rules imply that MergeMem nodes may cascade (via their <Bot> links),
5573 // and that memory slices "leak through":
5574 // MergeMem(<Bot>: MergeMem(<Bot>: W, <7>: Y)) <==> MergeMem(<Bot>: W, <7>: Y)
5575 //
5576 // But, in such a cascade, repeated memory slices can "block the leak":
5577 // MergeMem(<Bot>: MergeMem(<Bot>: W, <7>: Y), <7>: Y') <==> MergeMem(<Bot>: W, <7>: Y')
5578 //
5579 // In the last example, Y is not part of the combined memory state of the
5580 // outermost MergeMem. The system must, of course, prevent unschedulable
5581 // memory states from arising, so you can be sure that the state Y is somehow
5582 // a precursor to state Y'.
5583 //
5584 //
5585 // REPRESENTATION OF MEMORY MERGES: The indexes used to address the Node::in array
5586 // of each MergeMemNode array are exactly the numerical alias indexes, including
5587 // but not limited to AliasIdxTop, AliasIdxBot, and AliasIdxRaw. The functions
5588 // Compile::alias_type (and kin) produce and manage these indexes.
5589 //
5590 // By convention, the value of in(AliasIdxTop) (i.e., in(1)) is always the top node.
5591 // (Note that this provides quick access to the top node inside MergeMem methods,
5592 // without the need to reach out via TLS to Compile::current.)
5593 //
5594 // As a consequence of what was just described, a MergeMem that represents a full
5595 // memory state has an edge in(AliasIdxBot) which is a "wide" memory state,
5596 // containing all alias categories.
5597 //
5598 // MergeMem nodes never (?) have control inputs, so in(0) is null.
5599 //
5600 // All other edges in(N) (including in(AliasIdxRaw), which is in(3)) are either
5601 // a memory state for the alias type <N>, or else the top node, meaning that
5602 // there is no particular input for that alias type. Note that the length of
5603 // a MergeMem is variable, and may be extended at any time to accommodate new
5604 // memory states at larger alias indexes. When merges grow, they are of course
5605 // filled with "top" in the unused in() positions.
5606 //
5607 // This use of top is named "empty_memory()", or "empty_mem" (no-memory) as a variable.
5608 // (Top was chosen because it works smoothly with passes like GCM.)
5609 //
5610 // For convenience, we hardwire the alias index for TypeRawPtr::BOTTOM. (It is
5611 // the type of random VM bits like TLS references.) Since it is always the
5612 // first non-Bot memory slice, some low-level loops use it to initialize an
5613 // index variable: for (i = AliasIdxRaw; i < req(); i++).
5614 //
5615 //
5616 // ACCESSORS: There is a special accessor MergeMemNode::base_memory which returns
5617 // the distinguished "wide" state. The accessor MergeMemNode::memory_at(N) returns
5618 // the memory state for alias type <N>, or (if there is no particular slice at <N>,
5619 // it returns the base memory. To prevent bugs, memory_at does not accept <Top>
5620 // or <Bot> indexes. The iterator MergeMemStream provides robust iteration over
5621 // MergeMem nodes or pairs of such nodes, ensuring that the non-top edges are visited.
5622 //
5623 // %%%% We may get rid of base_memory as a separate accessor at some point; it isn't
5624 // really that different from the other memory inputs. An abbreviation called
5625 // "bot_memory()" for "memory_at(AliasIdxBot)" would keep code tidy.
5626 //
5627 //
5628 // PARTIAL MEMORY STATES: During optimization, MergeMem nodes may arise that represent
5629 // partial memory states. When a Phi splits through a MergeMem, the copy of the Phi
5630 // that "emerges though" the base memory will be marked as excluding the alias types
5631 // of the other (narrow-memory) copies which "emerged through" the narrow edges:
5632 //
5633 // Phi<Bot>(U, MergeMem(<Bot>: W, <8>: Y))
5634 // ==Ideal=> MergeMem(<Bot>: Phi<Bot-8>(U, W), Phi<8>(U, Y))
5635 //
5636 // This strange "subtraction" effect is necessary to ensure IGVN convergence.
5637 // (It is currently unimplemented.) As you can see, the resulting merge is
5638 // actually a disjoint union of memory states, rather than an overlay.
5639 //
5640
5641 //------------------------------MergeMemNode-----------------------------------
5642 Node* MergeMemNode::make_empty_memory() {
5643 Node* empty_memory = (Node*) Compile::current()->top();
5644 assert(empty_memory->is_top(), "correct sentinel identity");
5645 return empty_memory;
5646 }
5647
5648 MergeMemNode::MergeMemNode(Node *new_base) : Node(1+Compile::AliasIdxRaw) {
5649 init_class_id(Class_MergeMem);
5650 // all inputs are nullified in Node::Node(int)
5651 // set_input(0, nullptr); // no control input
5652
5653 // Initialize the edges uniformly to top, for starters.
5654 Node* empty_mem = make_empty_memory();
5655 for (uint i = Compile::AliasIdxTop; i < req(); i++) {
5656 init_req(i,empty_mem);
5657 }
5658 assert(empty_memory() == empty_mem, "");
5659
5660 if( new_base != nullptr && new_base->is_MergeMem() ) {
5661 MergeMemNode* mdef = new_base->as_MergeMem();
5662 assert(mdef->empty_memory() == empty_mem, "consistent sentinels");
5663 for (MergeMemStream mms(this, mdef); mms.next_non_empty2(); ) {
5664 mms.set_memory(mms.memory2());
5665 }
5666 assert(base_memory() == mdef->base_memory(), "");
5667 } else {
5668 set_base_memory(new_base);
5669 }
5670 }
5671
5672 // Make a new, untransformed MergeMem with the same base as 'mem'.
5673 // If mem is itself a MergeMem, populate the result with the same edges.
5674 MergeMemNode* MergeMemNode::make(Node* mem) {
5675 return new MergeMemNode(mem);
5676 }
5677
5678 //------------------------------cmp--------------------------------------------
5679 uint MergeMemNode::hash() const { return NO_HASH; }
5680 bool MergeMemNode::cmp( const Node &n ) const {
5681 return (&n == this); // Always fail except on self
5682 }
5683
5684 //------------------------------Identity---------------------------------------
5685 Node* MergeMemNode::Identity(PhaseGVN* phase) {
5686 // Identity if this merge point does not record any interesting memory
5687 // disambiguations.
5688 Node* base_mem = base_memory();
5689 Node* empty_mem = empty_memory();
5690 if (base_mem != empty_mem) { // Memory path is not dead?
5691 for (uint i = Compile::AliasIdxRaw; i < req(); i++) {
5692 Node* mem = in(i);
5693 if (mem != empty_mem && mem != base_mem) {
5694 return this; // Many memory splits; no change
5695 }
5696 }
5697 }
5698 return base_mem; // No memory splits; ID on the one true input
5699 }
5700
5701 //------------------------------Ideal------------------------------------------
5702 // This method is invoked recursively on chains of MergeMem nodes
5703 Node *MergeMemNode::Ideal(PhaseGVN *phase, bool can_reshape) {
5704 // Remove chain'd MergeMems
5705 //
5706 // This is delicate, because the each "in(i)" (i >= Raw) is interpreted
5707 // relative to the "in(Bot)". Since we are patching both at the same time,
5708 // we have to be careful to read each "in(i)" relative to the old "in(Bot)",
5709 // but rewrite each "in(i)" relative to the new "in(Bot)".
5710 Node *progress = nullptr;
5711
5712
5713 Node* old_base = base_memory();
5714 Node* empty_mem = empty_memory();
5715 if (old_base == empty_mem)
5716 return nullptr; // Dead memory path.
5717
5718 MergeMemNode* old_mbase;
5719 if (old_base != nullptr && old_base->is_MergeMem())
5720 old_mbase = old_base->as_MergeMem();
5721 else
5722 old_mbase = nullptr;
5723 Node* new_base = old_base;
5724
5725 // simplify stacked MergeMems in base memory
5726 if (old_mbase) new_base = old_mbase->base_memory();
5727
5728 // the base memory might contribute new slices beyond my req()
5729 if (old_mbase) grow_to_match(old_mbase);
5730
5731 // Note: We do not call verify_sparse on entry, because inputs
5732 // can normalize to the base_memory via subsume_node or similar
5733 // mechanisms. This method repairs that damage.
5734
5735 assert(!old_mbase || old_mbase->is_empty_memory(empty_mem), "consistent sentinels");
5736
5737 // Look at each slice.
5738 for (uint i = Compile::AliasIdxRaw; i < req(); i++) {
5739 Node* old_in = in(i);
5740 // calculate the old memory value
5741 Node* old_mem = old_in;
5742 if (old_mem == empty_mem) old_mem = old_base;
5743 assert(old_mem == memory_at(i), "");
5744
5745 // maybe update (reslice) the old memory value
5746
5747 // simplify stacked MergeMems
5748 Node* new_mem = old_mem;
5749 MergeMemNode* old_mmem;
5750 if (old_mem != nullptr && old_mem->is_MergeMem())
5751 old_mmem = old_mem->as_MergeMem();
5752 else
5753 old_mmem = nullptr;
5754 if (old_mmem == this) {
5755 // This can happen if loops break up and safepoints disappear.
5756 // A merge of BotPtr (default) with a RawPtr memory derived from a
5757 // safepoint can be rewritten to a merge of the same BotPtr with
5758 // the BotPtr phi coming into the loop. If that phi disappears
5759 // also, we can end up with a self-loop of the mergemem.
5760 // In general, if loops degenerate and memory effects disappear,
5761 // a mergemem can be left looking at itself. This simply means
5762 // that the mergemem's default should be used, since there is
5763 // no longer any apparent effect on this slice.
5764 // Note: If a memory slice is a MergeMem cycle, it is unreachable
5765 // from start. Update the input to TOP.
5766 new_mem = (new_base == this || new_base == empty_mem)? empty_mem : new_base;
5767 }
5768 else if (old_mmem != nullptr) {
5769 new_mem = old_mmem->memory_at(i);
5770 }
5771 // else preceding memory was not a MergeMem
5772
5773 // maybe store down a new value
5774 Node* new_in = new_mem;
5775 if (new_in == new_base) new_in = empty_mem;
5776
5777 if (new_in != old_in) {
5778 // Warning: Do not combine this "if" with the previous "if"
5779 // A memory slice might have be be rewritten even if it is semantically
5780 // unchanged, if the base_memory value has changed.
5781 set_req_X(i, new_in, phase);
5782 progress = this; // Report progress
5783 }
5784 }
5785
5786 if (new_base != old_base) {
5787 set_req_X(Compile::AliasIdxBot, new_base, phase);
5788 // Don't use set_base_memory(new_base), because we need to update du.
5789 assert(base_memory() == new_base, "");
5790 progress = this;
5791 }
5792
5793 if( base_memory() == this ) {
5794 // a self cycle indicates this memory path is dead
5795 set_req(Compile::AliasIdxBot, empty_mem);
5796 }
5797
5798 // Resolve external cycles by calling Ideal on a MergeMem base_memory
5799 // Recursion must occur after the self cycle check above
5800 if( base_memory()->is_MergeMem() ) {
5801 MergeMemNode *new_mbase = base_memory()->as_MergeMem();
5802 Node *m = phase->transform(new_mbase); // Rollup any cycles
5803 if( m != nullptr &&
5804 (m->is_top() ||
5805 (m->is_MergeMem() && m->as_MergeMem()->base_memory() == empty_mem)) ) {
5806 // propagate rollup of dead cycle to self
5807 set_req(Compile::AliasIdxBot, empty_mem);
5808 }
5809 }
5810
5811 if( base_memory() == empty_mem ) {
5812 progress = this;
5813 // Cut inputs during Parse phase only.
5814 // During Optimize phase a dead MergeMem node will be subsumed by Top.
5815 if( !can_reshape ) {
5816 for (uint i = Compile::AliasIdxRaw; i < req(); i++) {
5817 if( in(i) != empty_mem ) { set_req(i, empty_mem); }
5818 }
5819 }
5820 }
5821
5822 if( !progress && base_memory()->is_Phi() && can_reshape ) {
5823 // Check if PhiNode::Ideal's "Split phis through memory merges"
5824 // transform should be attempted. Look for this->phi->this cycle.
5825 uint merge_width = req();
5826 if (merge_width > Compile::AliasIdxRaw) {
5827 PhiNode* phi = base_memory()->as_Phi();
5828 for( uint i = 1; i < phi->req(); ++i ) {// For all paths in
5829 if (phi->in(i) == this) {
5830 phase->is_IterGVN()->_worklist.push(phi);
5831 break;
5832 }
5833 }
5834 }
5835 }
5836
5837 assert(progress || verify_sparse(), "please, no dups of base");
5838 return progress;
5839 }
5840
5841 //-------------------------set_base_memory-------------------------------------
5842 void MergeMemNode::set_base_memory(Node *new_base) {
5843 Node* empty_mem = empty_memory();
5844 set_req(Compile::AliasIdxBot, new_base);
5845 assert(memory_at(req()) == new_base, "must set default memory");
5846 // Clear out other occurrences of new_base:
5847 if (new_base != empty_mem) {
5848 for (uint i = Compile::AliasIdxRaw; i < req(); i++) {
5849 if (in(i) == new_base) set_req(i, empty_mem);
5850 }
5851 }
5852 }
5853
5854 //------------------------------out_RegMask------------------------------------
5855 const RegMask &MergeMemNode::out_RegMask() const {
5856 return RegMask::EMPTY;
5857 }
5858
5859 //------------------------------dump_spec--------------------------------------
5860 #ifndef PRODUCT
5861 void MergeMemNode::dump_spec(outputStream *st) const {
5862 st->print(" {");
5863 Node* base_mem = base_memory();
5864 for( uint i = Compile::AliasIdxRaw; i < req(); i++ ) {
5865 Node* mem = (in(i) != nullptr) ? memory_at(i) : base_mem;
5866 if (mem == base_mem) { st->print(" -"); continue; }
5867 st->print( " N%d:", mem->_idx );
5868 Compile::current()->get_adr_type(i)->dump_on(st);
5869 }
5870 st->print(" }");
5871 }
5872 #endif // !PRODUCT
5873
5874
5875 #ifdef ASSERT
5876 static bool might_be_same(Node* a, Node* b) {
5877 if (a == b) return true;
5878 if (!(a->is_Phi() || b->is_Phi())) return false;
5879 // phis shift around during optimization
5880 return true; // pretty stupid...
5881 }
5882
5883 // verify a narrow slice (either incoming or outgoing)
5884 static void verify_memory_slice(const MergeMemNode* m, int alias_idx, Node* n) {
5885 if (!VerifyAliases) return; // don't bother to verify unless requested
5886 if (VMError::is_error_reported()) return; // muzzle asserts when debugging an error
5887 if (Node::in_dump()) return; // muzzle asserts when printing
5888 assert(alias_idx >= Compile::AliasIdxRaw, "must not disturb base_memory or sentinel");
5889 assert(n != nullptr, "");
5890 // Elide intervening MergeMem's
5891 while (n->is_MergeMem()) {
5892 n = n->as_MergeMem()->memory_at(alias_idx);
5893 }
5894 Compile* C = Compile::current();
5895 const TypePtr* n_adr_type = n->adr_type();
5896 if (n == m->empty_memory()) {
5897 // Implicit copy of base_memory()
5898 } else if (n_adr_type != TypePtr::BOTTOM) {
5899 assert(n_adr_type != nullptr, "new memory must have a well-defined adr_type");
5900 assert(C->must_alias(n_adr_type, alias_idx), "new memory must match selected slice");
5901 } else {
5902 // A few places like make_runtime_call "know" that VM calls are narrow,
5903 // and can be used to update only the VM bits stored as TypeRawPtr::BOTTOM.
5904 bool expected_wide_mem = false;
5905 if (n == m->base_memory()) {
5906 expected_wide_mem = true;
5907 } else if (alias_idx == Compile::AliasIdxRaw ||
5908 n == m->memory_at(Compile::AliasIdxRaw)) {
5909 expected_wide_mem = true;
5910 } else if (!C->alias_type(alias_idx)->is_rewritable()) {
5911 // memory can "leak through" calls on channels that
5912 // are write-once. Allow this also.
5913 expected_wide_mem = true;
5914 }
5915 assert(expected_wide_mem, "expected narrow slice replacement");
5916 }
5917 }
5918 #else // !ASSERT
5919 #define verify_memory_slice(m,i,n) (void)(0) // PRODUCT version is no-op
5920 #endif
5921
5922
5923 //-----------------------------memory_at---------------------------------------
5924 Node* MergeMemNode::memory_at(uint alias_idx) const {
5925 assert(alias_idx >= Compile::AliasIdxRaw ||
5926 (alias_idx == Compile::AliasIdxBot && !Compile::current()->do_aliasing()),
5927 "must avoid base_memory and AliasIdxTop");
5928
5929 // Otherwise, it is a narrow slice.
5930 Node* n = alias_idx < req() ? in(alias_idx) : empty_memory();
5931 if (is_empty_memory(n)) {
5932 // the array is sparse; empty slots are the "top" node
5933 n = base_memory();
5934 assert(Node::in_dump()
5935 || n == nullptr || n->bottom_type() == Type::TOP
5936 || n->adr_type() == nullptr // address is TOP
5937 || n->adr_type() == TypePtr::BOTTOM
5938 || n->adr_type() == TypeRawPtr::BOTTOM
5939 || n->is_NarrowMemProj()
5940 || !Compile::current()->do_aliasing(),
5941 "must be a wide memory");
5942 // do_aliasing == false if we are organizing the memory states manually.
5943 // See verify_memory_slice for comments on TypeRawPtr::BOTTOM.
5944 } else {
5945 // make sure the stored slice is sane
5946 #ifdef ASSERT
5947 if (VMError::is_error_reported() || Node::in_dump()) {
5948 } else if (might_be_same(n, base_memory())) {
5949 // Give it a pass: It is a mostly harmless repetition of the base.
5950 // This can arise normally from node subsumption during optimization.
5951 } else {
5952 verify_memory_slice(this, alias_idx, n);
5953 }
5954 #endif
5955 }
5956 return n;
5957 }
5958
5959 //---------------------------set_memory_at-------------------------------------
5960 void MergeMemNode::set_memory_at(uint alias_idx, Node *n) {
5961 verify_memory_slice(this, alias_idx, n);
5962 Node* empty_mem = empty_memory();
5963 if (n == base_memory()) n = empty_mem; // collapse default
5964 uint need_req = alias_idx+1;
5965 if (req() < need_req) {
5966 if (n == empty_mem) return; // already the default, so do not grow me
5967 // grow the sparse array
5968 do {
5969 add_req(empty_mem);
5970 } while (req() < need_req);
5971 }
5972 set_req( alias_idx, n );
5973 }
5974
5975
5976
5977 //--------------------------iteration_setup------------------------------------
5978 void MergeMemNode::iteration_setup(const MergeMemNode* other) {
5979 if (other != nullptr) {
5980 grow_to_match(other);
5981 // invariant: the finite support of mm2 is within mm->req()
5982 #ifdef ASSERT
5983 for (uint i = req(); i < other->req(); i++) {
5984 assert(other->is_empty_memory(other->in(i)), "slice left uncovered");
5985 }
5986 #endif
5987 }
5988 // Replace spurious copies of base_memory by top.
5989 Node* base_mem = base_memory();
5990 if (base_mem != nullptr && !base_mem->is_top()) {
5991 for (uint i = Compile::AliasIdxBot+1, imax = req(); i < imax; i++) {
5992 if (in(i) == base_mem)
5993 set_req(i, empty_memory());
5994 }
5995 }
5996 }
5997
5998 //---------------------------grow_to_match-------------------------------------
5999 void MergeMemNode::grow_to_match(const MergeMemNode* other) {
6000 Node* empty_mem = empty_memory();
6001 assert(other->is_empty_memory(empty_mem), "consistent sentinels");
6002 // look for the finite support of the other memory
6003 for (uint i = other->req(); --i >= req(); ) {
6004 if (other->in(i) != empty_mem) {
6005 uint new_len = i+1;
6006 while (req() < new_len) add_req(empty_mem);
6007 break;
6008 }
6009 }
6010 }
6011
6012 //---------------------------verify_sparse-------------------------------------
6013 #ifndef PRODUCT
6014 bool MergeMemNode::verify_sparse() const {
6015 assert(is_empty_memory(make_empty_memory()), "sane sentinel");
6016 Node* base_mem = base_memory();
6017 // The following can happen in degenerate cases, since empty==top.
6018 if (is_empty_memory(base_mem)) return true;
6019 for (uint i = Compile::AliasIdxRaw; i < req(); i++) {
6020 assert(in(i) != nullptr, "sane slice");
6021 if (in(i) == base_mem) return false; // should have been the sentinel value!
6022 }
6023 return true;
6024 }
6025
6026 bool MergeMemStream::match_memory(Node* mem, const MergeMemNode* mm, int idx) {
6027 Node* n;
6028 n = mm->in(idx);
6029 if (mem == n) return true; // might be empty_memory()
6030 n = (idx == Compile::AliasIdxBot)? mm->base_memory(): mm->memory_at(idx);
6031 if (mem == n) return true;
6032 return false;
6033 }
6034 #endif // !PRODUCT