Rolling VWAP█   OVERVIEW  
This indicator displays a Rolling Volume-Weighted Average Price. Contrary to  VWAP  indicators which reset at the beginning of a new time segment, RVWAP calculates using a moving window defined by a time period (not a simple number of bars), so it never resets.
█   CONCEPTS 
If you are not already familiar with VWAP, our  Help Center  will get you started.
The typical VWAP is designed to be used on intraday charts, as it resets at the beginning of the day. Such VWAPs cannot be used on daily, weekly or monthly charts. Instead, this rolling VWAP uses a time period that automatically adjusts to the chart's timeframe. You can thus use RVWAP on any chart that includes volume information in its data feed.
Because RVWAP uses a moving window, it does not exhibit the jumpiness of VWAP plots that reset. You can see the more jagged VWAP on the chart above. We think both can be useful to traders; up to you to decide which flavor works for you.
█   HOW TO USE IT  
Load the indicator on an active chart (see the  Help Center  if you don't know how). 
 Time period 
By default, the script uses an auto-stepping mechanism to adjust the time period of its moving window to the chart's timeframe. The following table shows chart timeframes and the corresponding time period used by the script. When the chart's timeframe is less than or equal to the timeframe in the first column, the second column's time period is used to calculate RVWAP:
 
  Chart       Time
timeframe    period
   1min   🠆   1H
   5min   🠆   4H
   1H     🠆   1D
   4H     🠆   3D
   12H    🠆   1W
   1D     🠆   1M
   1W     🠆   3M
 
You can use the script's inputs to specify a fixed time period, which you can express in any combination of days, hours and minutes.
By default, the time period currently used is displayed in the lower-right corner of the chart. The script's inputs allow you to hide the display or change its size and location.
 Minimum Window Size 
This input field determines the minimum number of values to keep in the moving window, even if these values are outside the prescribed time period. This mitigates situations where a large time gap between two bars would cause the time window to be empty, which can occur in non-24x7 markets where large time gaps may separate contiguous chart bars, namely across holidays or trading sessions. For example, if you were using a 1D time period and there is a two-day gap between two bars, then no chart bars would fit in the moving window after the gap. The default value is 10 bars.
█   NOTES  
If you are interested in VWAP indicators, you may find the  VWAP Auto Anchored  built-in indicator worth a try.
 For Pine Script™ coders 
The heart of this script's calculations uses the `totalForTimeWhen()` function from the  ConditionalAverages  library published by  PineCoders . It works by maintaining an array of values included in a time period, but without a  for  loop requiring a lookback from the current bar, so it is much more efficient.
We write our Pine Script™ code using the recommendations in the User Manual's  Style Guide .
 Look first. Then leap.  
Wyszukaj w skryptach "THE SCRIPT"
Pinescript - Common Label & Line Array Functions Library by RRBPinescript - Common Label & Line Array Functions Library by RagingRocketBull 2021
Version 1.0
This script provides a library of common array functions for arrays of label and line objects with live testing of all functions.
Using this library you can easily create, update, delete, join label/line object arrays, and get/set properties of individual label/line object array items.
You can find the full list of supported label/line array functions below.
There are several libraries:
 - Common String Functions Library
 - Standard Array Functions Library
 - Common Fixed Type Array Functions Library
 - Common Label & Line Array Functions Library
 - Common Variable Type Array Functions Library
Features:
 - 30 array functions in categories create/update/delete/join/get/set with support for both label/line objects (45+ including all implementations)
 - Create, Update label/line object arrays from list/array params
 - GET/SET properties of individual label/line array items by index
 - Join label/line objects/arrays into a single string for output
 - Supports User Input of x,y coords of 5 different types: abs/rel/rel%/inc/inc% list/array, auto transforms x,y input into list/array based on type, base and xloc, translates rel into abs bar indexes
 - Supports User Input of lists with shortened names of string properties, auto expands all standard string properties to their full names for use in functions
 - Live Output for all/selected functions based on User Input. Test any function for possible errors you may encounter before using in script.
 - Output filters: hide all excluded and show only allowed functions using a list of function names
 - Output Panel customization options: set custom style, color, text size, and line spacing
Usage:
 - select create function - create label/line arrays from lists or arrays (optional). Doesn't affect the update functions. The only change in output should be function name regardless of the selected implementation.
 - specify num_objects   for both label/line arrays (default is 7)
 - specify common anchor point settings x,y base/type for both label/line arrays and GET/SET items in Common Settings
 - fill lists with items to use as inputs for create label/line array functions in Create Label/Line Arrays section
 - specify label/line array item index and properties to SET in corresponding sections
 - select label/line SET function to see the changes applied live
Code Structure:
 - translate x,y depending on x,y type, base and xloc as specified in UI (required for all functions)
 - expand all shortened standard property names to full names (required for create/update* from arrays and set* functions, not needed for create/update* from lists) to prevent errors in label.new and line.new
 - create param arrays from string lists (required for create/update* from arrays and set* functions, not needed for create/update* from lists)
 - create label/line array from string lists (property names are auto expanded) or param arrays (requires already expanded properties)
 - update entire label/line array or 
 - get/set label/line array item properties by index
Transforming/Expanding Input values:
 - for this script to work on any chart regardless of price/scale, all x*,y* are specified as % increase relative to x0,y0 base levels by default, but user can enter abs x,price values specific for that chart if necessary.
 - all lists can be empty, contain 1 or several items, have the same/different lengths. Array Length = min(min(len(list*)), mum_objects) is used to create label/line objects. Missing list items are replaced with default property values.
 - when a list contains only 1 item it is duplicated (label name/tooltip is also auto incremented) to match the calculated Array Length
 - since this script processes user input, all x,y values must be translated to abs bar indexes before passing them to functions. Your script may provide all data internally and doesn't require this step.
 - at first int x, float y arrays are created from user string lists, transformed as described below and returned as x,y arrays.
 - translated x,y arrays can then be passed to create from arrays function or can be converted back to x,y string lists for the create from lists function if necessary.
 - all translation logic is separated from create/update/set functions for the following reasons: 
   - to avoid redundant code/dependency on ext functions/reduce local scopes and to be able to translate everything only once in one place - should be faster
   - to simplify internal logic of all functions
   - because your script may provide all data internally without user input and won't need the translation step
 - there are 5 types available for both x,y: abs, rel, rel%, inc, inc%. In addition to that, x can be: bar index or time, y is always price.
   - abs - absolute bar index/time from start bar0 (x) or price (y) from 0, is >= 0
   - rel - relative bar index/time from cur bar n (x) or price from y0 base level, is >= 0
   - rel% - relative % increase of bar index/time (x) or price (y) from corresponding base level (x0 or y0), can be <=> 0
   - inc - relative increment (step) for each new level of bar index/time (x) or price (y) from corresponding base level (x0 or y0), can be <=> 0
   - inc% - relative % increment (% step) for each new level of bar index/time (x) or price (y) from corresponding base level (x0 or y0), can be <=> 0
   - x base level >= 0
   - y base level can be 0 (empty) or open, close, high, low of cur bar
   - single item x1_list = "50" translates into: 
     - for x type abs: "50, 50, 50 ..." num_objects times regardless of xloc => x = 50
     - for x type rel: "50, 50, 50 ... " num_objects times     => x = x_base + 50
     - for x type rel%: "50%, 50%, 50% ... " num_objects times => x_base * (1 + 0.5)
     - for x type inc: "0, 50, 100 ... " num_objects times     => x_base + 50 * i
     - for x type inc%: "0%, 50%, 100% ... " num_objects times => x_base * (1 + 0.5 * i)
     - when xloc = xloc.bar_index each rel*/inc* value in the above list is then subtracted from n: n - x to convert rel to abs bar index, values of abs type are not affected
     - x1_list = "0, 50, 100, ..." of type rel is the same as "50" of type inc
     - x1_list = "50, 50, 50, ..." of type abs/rel/rel% produces a sequence of the same values and can be shortened to just "50"
   - single item y1_list = "2" translates into (ragardless of yloc): 
     - for y type abs: "2, 2, 2 ..." num_objects times        => y = 2
     - for y type rel: "2, 2, 2 ... " num_objects times       => y = y_base + 2
     - for y type rel%: "2%, 2%, 2% ... " num_objects times   => y = y_base * (1 + 0.02)
     - for y type inc: "0, 2, 4 ... " num_objects times       => y = y_base + 2 * i
     - for y type inc%: "0%, 2%, 4% ... " num_objects times   => y = y_base * (1 + 0.02 * i)
     - when yloc != yloc.price all calculated values above are simply ignored
     - y1_list = "0, 2, 4" of type rel% is the same as "2" with type inc%
     - y1_list = "2, 2, 2" of type abs/rel/rel% produces a sequence of the same values and can be shortened to just "2"
 - you can enter shortened property names in lists. To lookup supported shortened names use corresponding dropdowns in Set Label/Line Array Item Properties sections
 - all shortened standard property names must be expanded to full names (required for create/update* from arrays and set* functions, not needed for create/update* from lists) to prevent errors in label.new and line.new
   - examples of shortened property names that can be used in lists: bar_index, large, solid, label_right, white, left, left, price
   - expanded to their corresponding full names: xloc.bar_index, size.large, line.style_solid, label.style_label_right, color.white, text.align_left, extend.left, yloc.price
 - all expanding logic is separated from create/update* from arrays and set* functions for the same reasons as above, and because param arrays already have different types, implying the use of final values.
 - all expanding logic is included in the create/update* from lists functions because it seemed more natural to process string lists from user input directly inside the function, since they are already strings.
Creating Label/Line Objects:
 - use study max_lines_count and max_labels_count params to increase the max number of label/line objects to 500 (+3) if necessary. Default number of label/line objects is 50 (+3)
 - all functions use standard param sequence from methods in reference, except style always comes before colors.
 - standard label/line.get* functions only return a few properties, you can't read style, color, width etc.
 - label.new(na, na, "") will still create a label with x = n-301, y = NaN, text = "" because max default scope for a var is 300 bars back.
 - there are 2 types of color na, label color requires color(na) instead of color_na to prevent error. text_color and line_color can be color_na
 - for line to be visible both x1, x2 ends must be visible on screen, also when y1 == y2 => abs(x1 - x2) >= 2 bars => line is visible
 - xloc.bar_index line uses abs x1, x2 indexes and can only be within 0 and n ends, where n <= 5000 bars (free accounts) or 10000 bars (paid accounts) limit, can't be plotted into the future
 - xloc.bar_time line uses abs x1, x2 times, can't go past bar0 time but can continue past cur bar time into the future, doesn't have a length limit in bars.
 - xloc.bar_time line with length = exact number of bars can be plotted only within bar0 and cur bar, can't be plotted into the future reliably because of future gaps due to sessions on some charts
 - xloc.bar_index line can't be created on bar 0 with fixed length value because there's only 1 bar of horiz length
   - it can be created on cur bar using fixed length x < n <= 5000 or
   - created on bar0 using na and then assigned final x* values on cur bar using set_x*
   - created on bar0 using n - fixed_length x and then updated on cur bar using set_x*, where n <= 5000
 - default orientation of lines (for style_arrow* and extend) is from left to right (from bar 50 to bar 0), it reverses when x1 and x2 are swapped
 - price is a function, not a line object property
Variable Type Arrays:
 - you can't create an if/function that returns var type value/array - compiler uses strict types and doesn't allow that
    - however you can assign array of any type to another array of any type creating an arr pointer of invalid type that must be reassigned to a matching array type before used in any expression to prevent error
    - create_any_array2 uses this loophole to return an int_arr pointer of a var type array
    - this works for all array types defined with/without var keyword and doesn't work for string arrays defined with var keyword for some reason
    - you can't do this with var type vars, only var type arrays because arrays are pointers passed by reference, while vars are actual values passed by value.
 - you can only pass a var type value/array param to a function if all functions inside support every type - otherwise error
    - alternatively values of every type must be passed simultaneously and processed separately by corresponding if branches/functions supporting these particular types returning a common single type result
    - get_var_types solves this problem by generating a list of dummy values of every possible type including the source type, tricking the compiler into allowing a single valid branch to execute without error, while ignoring all dummy results
Notes:
 - uses Pinescript v3 Compatibility Framework
 - uses Common String Functions Library, Common Fixed Type Array Functions Library, Common Variable Type Array Functions Library
 - has to be a separate script to reduce the number of local scopes/compiled file size, can't be merged with another library.
 - lets you live test all label/line array functions for errors. If you see an error - change params in UI
 - if you see "Loop too long" error - hide/unhide or reattach the script
 - if you see "Chart references too many candles" error - change x type or value between abs/rel*. This can happen on charts with 5000+ bars when a rel bar index x is passed to label.new or line.new instead of abs bar index n - x
 - create/update_label/line_array* use string lists, while create/update_label/line_array_from_arrays* use array params to create label/line arrays. "from_lists" is dropped to shorten the names of the most commonly used functions.
 - create_label/line_array2,4 are preferable, 5,6 are listed for pure demonstration purposes only - don't use them, they don't improve anything but dramatically increase local scopes/compiled file size
 - for this reason you would mainly be using create/update_label/line_array2,4 for list params or create/update_label/line_array_from_arrays2 for array params
 - all update functions are executed after each create as proof of work and can be disabled. Only create functions are required. Use update functions when necessary - when list/array params are changed by your script.
 - both lists and array item properties use the same x,y_type, x,y_base from common settings
 - doesn't use pagination, a single str contains all output
 - why is this so complicated? What are all these functions for?
   - this script merges standard label/line object methods with standard array functions to create a powerful set of label/line object array functions to simplify manipulation of these arrays.
   - this library also extends the functionality of Common Variable Type Array Functions Library providing support for label/line types in var type array functions (any_to_str6, join_any_array5)
   - creating arrays from either lists or arrays adds a level of flexibility that comes with complexity. It's very likely that in your script you'd have to deal with both string lists as input, and arrays internally, once everything is converted.
   - processing user input, allowing customization and targeting for any chart adds a whole new layer of complexity, all inputs must be translated and expanded before used in functions.
   - different function implementations can increase/reduce local scopes and compiled file size. Select a version that best suits your needs. Creating complex scripts often requires rewriting your code multiple times to fit the limits, every line matters.
P.S. Don't rely too much on labels, for too often they are fables.
List of functions*:
* - functions from other libraries are not listed
1. Join Functions
Labels
 - join_label_object(label_, d1, d2)
 - join_label_array(arr, d1, d2)
 - join_label_array2(arr, d1, d2, d3)
Lines
 - join_line_object(line_, d1, d2)
 - join_line_array(arr, d1, d2)
 - join_line_array2(arr, d1, d2, d3)
Any Type
 - any_to_str6(arr, index, type)
 - join_any_array4(arr, d1, d2, type)
 - join_any_array5(arr, d, type)
2. GET/SET Functions
Labels
 - label_array_get_text(arr, index)
 - label_array_get_xy(arr, index)
 - label_array_get_fields(arr, index)
 - label_array_set_text(arr, index, str)
 - label_array_set_xy(arr, index, x, y)
 - label_array_set_fields(arr, index, x, y, str)
 - label_array_set_all_fields(arr, index, x, y, str, xloc, yloc, label_style, label_color, text_color, text_size, text_align, tooltip)
 - label_array_set_all_fields2(arr, index, x, y, str, xloc, yloc, label_style, label_color, text_color, text_size, text_align, tooltip)
Lines
 - line_array_get_price(arr, index, bar)
 - line_array_get_xy(arr, index)
 - line_array_get_fields(arr, index)
 - line_array_set_text(arr, index, width)
 - line_array_set_xy(arr, index, x1, y1, x2, y2)
 - line_array_set_fields(arr, index, x1, y1, x2, y2, width)
 - line_array_set_all_fields(arr, index, x1, y1, x2, y2, xloc, extend, line_style, line_color, width)
 - line_array_set_all_fields2(arr, index, x1, y1, x2, y2, xloc, extend, line_style, line_color, width)
3. Create/Update/Delete Functions
Labels
 - delete_label_array(label_arr)
 - create_label_array(list1, list2, list3, list4, list5, d)
 - create_label_array2(x_list, y_list, str_list, xloc_list, yloc_list, style_list, color1_list, color2_list, size_list, align_list, tooltip_list, d)
 - create_label_array3(x_list, y_list, str_list, xloc_list, yloc_list, style_list, color1_list, color2_list, size_list, align_list, tooltip_list, d)
 - create_label_array4(x_list, y_list, str_list, xloc_list, yloc_list, style_list, color1_list, color2_list, size_list, align_list, tooltip_list, d)
 - create_label_array5(x_list, y_list, str_list, xloc_list, yloc_list, style_list, color1_list, color2_list, size_list, align_list, tooltip_list, d)
 - create_label_array6(x_list, y_list, str_list, xloc_list, yloc_list, style_list, color1_list, color2_list, size_list, align_list, tooltip_list, d)
 - update_label_array2(label_arr, x_list, y_list, str_list, xloc_list, yloc_list, style_list, color1_list, color2_list, size_list, align_list, tooltip_list, d)
 - update_label_array4(label_arr, x_list, y_list, str_list, xloc_list, yloc_list, style_list, color1_list, color2_list, size_list, align_list, tooltip_list, d)
 - create_label_array_from_arrays2(x_arr, y_arr, str_arr, xloc_arr, yloc_arr, style_arr, color1_arr, color2_arr, size_arr, align_arr, tooltip_arr, d)
 - create_label_array_from_arrays4(x_arr, y_arr, str_arr, xloc_arr, yloc_arr, style_arr, color1_arr, color2_arr, size_arr, align_arr, tooltip_arr, d)
 - update_label_array_from_arrays2(label_arr, x_arr, y_arr, str_arr, xloc_arr, yloc_arr, style_arr, color1_arr, color2_arr, size_arr, align_arr, tooltip_arr, d)
Lines
 - delete_line_array(line_arr)
 - create_line_array(list1, list2, list3, list4, list5, list6, d)
 - create_line_array2(x1_list, y1_list, x2_list, y2_list, xloc_list, extend_list, style_list, color_list, width_list, d)
 - create_line_array3(x1_list, y1_list, x2_list, y2_list, xloc_list, extend_list, style_list, color_list, width_list, d)
 - create_line_array4(x1_list, y1_list, x2_list, y2_list, xloc_list, extend_list, style_list, color_list, width_list, d)
 - create_line_array5(x1_list, y1_list, x2_list, y2_list, xloc_list, extend_list, style_list, color_list, width_list, d)
 - create_line_array6(x1_list, y1_list, x2_list, y2_list, xloc_list, extend_list, style_list, color_list, width_list, d)
 - update_line_array2(line_arr, x1_list, y1_list, x2_list, y2_list, xloc_list, extend_list, style_list, color_list, width_list, d)
 - update_line_array4(line_arr, x1_list, y1_list, x2_list, y2_list, xloc_list, extend_list, style_list, color_list, width_list, d)
 - create_line_array_from_arrays2(x1_arr, y1_arr, x2_arr, y2_arr, xloc_arr, extend_arr, style_arr, color_arr, width_arr, d)
 - update_line_array_from_arrays2(line_arr, x1_arr, y1_arr, x2_arr, y2_arr, xloc_arr, extend_arr, style_arr, color_arr, width_arr, d)
FiniteStateMachine🟩  OVERVIEW 
A flexible framework for creating, testing and implementing a Finite State Machine (FSM) in your script. FSMs use rules to control how states change in response to events. 
This is the first Finite State Machine library on TradingView and it's quite a different way to think about your script's logic. Advantages of using this vs hardcoding all your logic include: 
 •  Explicit logic : You can see all rules easily side-by-side.
 •  Validation : Tables show your rules and validation results right on the chart.
 •  Dual approach : Simple matrix for straightforward transitions; map implementation for concurrent scenarios. You can combine them for complex needs.
 •  Type safety : Shows how to use enums for robustness while maintaining string compatibility.
 •  Real-world examples : Includes both conceptual (traffic lights) and practical (trading strategy) demonstrations.
 •  Priority control : Explicit control over which rules take precedence when multiple conditions are met.
 •  Wildcard system : Flexible pattern matching for states and events.
The library seems complex, but it's not really. Your conditions, events, and their potential interactions are complex. The FSM makes them all explicit, which is some work. However, like all "good" pain in life, this is front-loaded, and *saves* pain later, in the form of unintended interactions and bugs that are very hard to find and fix.
🟩  SIMPLE FSM (MATRIX-BASED) 
The simple FSM uses a matrix to define transition rules with the structure: state > event > state. We look up the current state, check if the event in that row matches, and if it does, output the resulting state.
Each row in the matrix defines one rule, and the first matching row, counting from the top down, is applied.
A limitation of this method is that you can supply only ONE event.
You can design layered rules using widlcards. Use an empty string "" or the special string "ANY" for any state or event wildcard.
The matrix FSM is foruse where you have clear, sequential state transitions triggered by single events. Think traffic lights, or any logic where only one thing can happen at a time.
The demo for this FSM is of traffic lights.
🟩  CONCURRENT FSM (MAP-BASED) 
The map FSM uses a more complex structure where each state is a key in the map, and its value is an array of event rules. Each rule maps a named condition to an output (event or next state).
This FSM can handle multiple conditions simultaneously. Rules added first have higher priority.
Adding more rules to existing states combines the entries in the map (if you use the supplied helper function) rather than overwriting them.
This FSM is for more complex scenarios where multiple conditions can be true simultaneously, and you need to control which takes precedence. Like trading strategies, or any system with concurrent conditions.
The demo for this FSM is a trading strategy.
🟩  HOW TO USE 
Pine Script libraries contain reusable code for importing into indicators. You do not need to copy any code out of here. Just import the library and call the function you want.
For example, for version 1 of this library, import it like this:
 
import SimpleCryptoLife/FiniteStateMachine/1
 
See the EXAMPLE USAGE sections within the library for examples of calling the functions.
For more information on libraries and incorporating them into your scripts, see the  Libraries  section of the Pine Script User Manual. 
🟩  TECHNICAL IMPLEMENTATION 
Both FSM implementations support wildcards using blank strings "" or the special string "ANY". Wildcards match in this priority order:
 • Exact state + exact event match
 • Exact state + empty event (event wildcard)  
 • Empty state + exact event (state wildcard)
 • Empty state + empty event (full wildcard)
When multiple rules match the same state + event combination, the FIRST rule encountered takes priority. In the matrix FSM, this means row order determines priority. In the map FSM, it's the order you add rules to each state.
The library uses user-defined types for the map FSM:
 •  o_eventRule : Maps a condition name to an output
 •  o_eventRuleWrapper : Wraps an array of rules (since maps can't contain arrays directly)
Everything uses strings for maximum library compatibility, though the examples show how to use enums for type safety by converting them to strings.
Unlike normal maps where adding a duplicate key overwrites the value, this library's `m_addRuleToEventMap()` method *combines* rules, making it intuitive to build rule sets without breaking them.
🟩  VALIDATION & ERROR HANDLING 
The library includes comprehensive validation functions that catch common FSM design errors:
 Error detection: 
 • Empty next states
 • Invalid states not in the states array  
 • Duplicate rules
 • Conflicting transitions
 • Unreachable states (no entry/exit rules)
 Warning detection: 
 • Redundant wildcards
 • Empty states/events (potential unintended wildcards)
 • Duplicate conditions within states
You can display validation results in tables on the chart, with tooltips providing detailed explanations. The helper functions to display the tables are exported so you can call them from your own script.
🟩  PRACTICAL EXAMPLES 
The library includes four comprehensive demos:
 Traffic Light Demo (Simple FSM) : Uses the matrix FSM to cycle through traffic light states (red → red+amber → green → amber → red) with timer events. Includes pseudo-random "break" events and repair logic to demonstrate wildcards and priority handling.
 Trading Strategy Demo (Concurrent FSM) : Implements a realistic long-only trading strategy using BOTH FSM types:
 • Map FSM converts multiple technical conditions (EMA crosses, gaps, fractals, RSI) into prioritised events
 • Matrix FSM handles state transitions (idle → setup → entry → position → exit → re-entry)
 • Includes position management, stop losses, and re-entry logic
 Error Demonstrations : Both FSM types include error demos with intentionally malformed rules to showcase the validation system's capabilities.
🟩  BRING ON THE FUNCTIONS 
 f_printFSMMatrix(_mat_rules, _a_states, _tablePosition) 
  Prints a table of states and rules to the specified position on the chart. Works only with the matrix-based FSM.
  Parameters:
     _mat_rules (matrix) 
     _a_states (array) 
     _tablePosition (simple string) 
  Returns: The table of states and rules.
 method m_loadMatrixRulesFromText(_mat_rules, _rulesText) 
  Loads rules into a rules matrix from a multiline string where each line is of the form "current state | event | next state" (ignores empty lines and trims whitespace).
This is the most human-readable way to define rules because it's a visually aligned, table-like format.
  Namespace types: matrix
  Parameters:
     _mat_rules (matrix) 
     _rulesText (string) 
  Returns: No explicit return. The matrix is modified as a side-effect.
 method m_addRuleToMatrix(_mat_rules, _currentState, _event, _nextState) 
  Adds a single rule to the rules matrix. This can also be quite readble if you use short variable names and careful spacing.
  Namespace types: matrix
  Parameters:
     _mat_rules (matrix) 
     _currentState (string) 
     _event (string) 
     _nextState (string) 
  Returns: No explicit return. The matrix is modified as a side-effect.
 method m_validateRulesMatrix(_mat_rules, _a_states, _showTable, _tablePosition) 
  Validates a rules matrix and a states array to check that they are well formed. Works only with the matrix-based FSM.
Checks: matrix has exactly 3 columns; no empty next states; all states defined in array; no duplicate states; no duplicate rules; all states have entry/exit rules; no conflicting transitions; no redundant wildcards. To avoid slowing down the script unnecessarily, call this method once (perhaps using `barstate.isfirst`), when the rules and states are ready.
  Namespace types: matrix
  Parameters:
     _mat_rules (matrix) 
     _a_states (array) 
     _showTable (bool) 
     _tablePosition (simple string) 
  Returns: `true` if the rules and states are valid; `false` if errors or warnings exist.
 method m_getStateFromMatrix(_mat_rules, _currentState, _event, _strictInput, _strictTransitions) 
  Returns the next state based on the current state and event, or `na` if no matching transition is found. Empty (not na) entries are treated as wildcards if `strictInput` is false.
Priority: exact match > event wildcard > state wildcard > full wildcard.
  Namespace types: matrix
  Parameters:
     _mat_rules (matrix) 
     _currentState (string) 
     _event (string) 
     _strictInput (bool) 
     _strictTransitions (bool) 
  Returns: The next state or `na`.
 method m_addRuleToEventMap(_map_eventRules, _state, _condName, _output) 
  Adds a single event rule to the event rules map. If the state key already exists, appends the new rule to the existing array (if different). If the state key doesn't exist, creates a new entry.
  Namespace types: map
  Parameters:
     _map_eventRules (map) 
     _state (string) 
     _condName (string) 
     _output (string) 
  Returns: No explicit return. The map is modified as a side-effect.
 method m_addEventRulesToMapFromText(_map_eventRules, _configText) 
  Loads event rules from a multiline text string into a map structure.
Format: "state | condName > output | condName > output | ..." . Pairs are ordered by priority. You can have multiple rules on the same line for one state.
Supports wildcards: Use an empty string ("") or the special string "ANY" for state or condName to create wildcard rules.
Examples: " | condName > output" (state wildcard), "state |  > output" (condition wildcard), " |  > output" (full wildcard).
Splits lines by \n, extracts state as key, creates/appends to array with new o_eventRule(condName, output).
Call once, e.g., on barstate.isfirst for best performance.
  Namespace types: map
  Parameters:
     _map_eventRules (map) 
     _configText (string) 
  Returns: No explicit return. The map is modified as a side-effect.
 f_printFSMMap(_map_eventRules, _a_states, _tablePosition) 
  Prints a table of map-based event rules to the specified position on the chart.
  Parameters:
     _map_eventRules (map) 
     _a_states (array) 
     _tablePosition (simple string) 
  Returns: The table of map-based event rules.
 method m_validateEventRulesMap(_map_eventRules, _a_states, _a_validEvents, _showTable, _tablePosition) 
  Validates an event rules map to check that it's well formed.
Checks: map is not empty; wrappers contain non-empty arrays; no duplicate condition names per state; no empty fields in o_eventRule objects; optionally validates outputs against matrix events.
NOTE: Both "" and "ANY" are treated identically as wildcards for both states and conditions.
To avoid slowing down the script unnecessarily, call this method once (perhaps using `barstate.isfirst`), when the map is ready.
  Namespace types: map
  Parameters:
     _map_eventRules (map) 
     _a_states (array) 
     _a_validEvents (array) 
     _showTable (bool) 
     _tablePosition (simple string) 
  Returns: `true` if the event rules map is valid; `false` if errors or warnings exist.
 method m_getEventFromConditionsMap(_currentState, _a_activeConditions, _map_eventRules) 
  Returns a single event or state string based on the current state and active conditions.
Uses a map of event rules where rules are pre-sorted by implicit priority via load order.
Supports wildcards using empty string ("") or "ANY" for flexible rule matching.
Priority: exact match > condition wildcard > state wildcard > full wildcard.
  Namespace types: series string, simple string, input string, const string
  Parameters:
     _currentState (string) 
     _a_activeConditions (array) 
     _map_eventRules (map) 
  Returns: The output string (event or state) for the first matching condition, or na if no match found.
 o_eventRule 
  o_eventRule defines a condition-to-output mapping for the concurrent FSM.
  Fields:
     condName (series string) : The name of the condition to check.
     output (series string) : The output (event or state) when the condition is true.
 o_eventRuleWrapper 
  o_eventRuleWrapper wraps an array of o_eventRule for use as map values (maps cannot contain collections directly).
  Fields:
     a_rules (array) : Array of o_eventRule objects for a specific state.
Hilly's Advanced Crypto Scalping Strategy - 5 Min ChartTo determine the "best" input parameters for the Advanced Crypto Scalping Strategy on a 5-minute chart, we need to consider the goals of optimizing for profitability, minimizing false signals, and adapting to the volatile nature of cryptocurrencies. The default parameters in the script are a starting point, but the optimal values depend on the specific cryptocurrency pair, market conditions, and your risk tolerance. Below, I'll provide recommended input values based on common practices in crypto scalping, along with reasoning for each parameter. I’ll also suggest how to fine-tune them using TradingView’s backtesting and optimization tools.
Recommended Input Parameters
These values are tailored for a 5-minute chart for liquid cryptocurrencies like BTC/USD or ETH/USD on exchanges like Binance or Coinbase. They aim to balance signal frequency and accuracy for day trading.
Fast EMA Length (emaFastLen): 9
Reasoning: A 9-period EMA is commonly used in scalping to capture short-term price movements while remaining sensitive to recent price action. It reacts faster than the default 10, aligning with the 5-minute timeframe.
Slow EMA Length (emaSlowLen): 21
Reasoning: A 21-period EMA provides a good balance for identifying the broader trend on a 5-minute chart. It’s slightly longer than the default 20 to reduce noise while confirming the trend direction.
RSI Length (rsiLen): 14
Reasoning: The default 14-period RSI is a standard choice for momentum analysis. It works well for detecting overbought/oversold conditions without being too sensitive on short timeframes.
RSI Overbought (rsiOverbought): 75
Reasoning: Raising the overbought threshold to 75 (from 70) reduces false sell signals in strong bullish trends, which are common in crypto markets.
RSI Oversold (rsiOversold): 25
Reasoning: Lowering the oversold threshold to 25 (from 30) filters out weaker buy signals, ensuring entries occur during stronger reversals.
MACD Fast Length (macdFast): 12
Reasoning: The default 12-period fast EMA for MACD is effective for capturing short-term momentum shifts in crypto, aligning with scalping goals.
MACD Slow Length (macdSlow): 26
Reasoning: The default 26-period slow EMA is a standard setting that works well for confirming momentum trends without lagging too much.
MACD Signal Smoothing (macdSignal): 9
Reasoning: The default 9-period signal line is widely used and provides a good balance for smoothing MACD crossovers on a 5-minute chart.
Bollinger Bands Length (bbLen): 20
Reasoning: The default 20-period Bollinger Bands are effective for identifying volatility breakouts, which are key for scalping in crypto markets.
Bollinger Bands Multiplier (bbMult): 2.0
Reasoning: A 2.0 multiplier is standard and captures most price action within the bands. Increasing it to 2.5 could reduce signals but improve accuracy in highly volatile markets.
Stop Loss % (slPerc): 0.8%
Reasoning: A tighter stop loss of 0.8% (from 1.0%) suits the high volatility of crypto, helping to limit losses on false breakouts while keeping risk manageable.
Take Profit % (tpPerc): 1.5%
Reasoning: A 1.5% take-profit target (from 2.0%) aligns with scalping’s goal of capturing small, frequent gains. Crypto markets often see quick reversals, so a smaller target increases the likelihood of hitting profits.
Use Candlestick Patterns (useCandlePatterns): True
Reasoning: Enabling candlestick patterns (e.g., engulfing, hammer) adds confirmation to signals, reducing false entries in choppy markets.
Use Volume Filter (useVolumeFilter): True
Reasoning: The volume filter ensures signals occur during high-volume breakouts, which are more likely to sustain in crypto markets.
Signal Arrow Size (signalSize): 2.0
Reasoning: Increasing the arrow size to 2.0 (from 1.5) makes buy/sell signals more visible on the chart, especially on smaller screens or volatile price action.
Background Highlight Transparency (bgTransparency): 85
Reasoning: A slightly higher transparency (85 from 80) keeps the background highlights subtle but visible, avoiding chart clutter.
How to Apply These Parameters
Copy the Script: Use the Pine Script provided in the previous response.
Paste in TradingView: Open TradingView, go to the Pine Editor, paste the code, and click "Add to Chart."
Set Parameters: In the strategy settings, manually input the recommended values above or adjust them via the input fields.
Test on a 5-Minute Chart: Apply the strategy to a liquid crypto pair (e.g., BTC/USDT, ETH/USDT) on a 5-minute chart.
Fine-Tuning for Optimal Performance
To find the absolute best parameters for your specific trading pair and market conditions, use TradingView’s Strategy Tester and optimization features:
Backtesting:
Run the strategy on historical data for your chosen pair (e.g., BTC/USDT on Binance).
Check metrics like Net Profit, Profit Factor, Win Rate, and Max Drawdown in the Strategy Tester.
Focus on a sample period of at least 1–3 months to capture various market conditions (bull, bear, sideways).
Parameter Optimization:
In the Strategy Tester, click the settings gear next to the strategy name.
Enable optimization for key inputs like emaFastLen (test range: 7–12), emaSlowLen (15–25), slPerc (0.5–1.5), and tpPerc (1.0–3.0).
Run the optimization to find the combination with the highest net profit or best Sharpe ratio, but avoid over-optimization (curve-fitting) by testing on out-of-sample data.
Market-Specific Adjustments:
Volatile Pairs (e.g., DOGE/USDT): Use tighter stop losses (e.g., 0.5–0.7%) and smaller take-profit targets (e.g., 1.0–1.2%) to account for rapid price swings.
Stable Pairs (e.g., BTC/USDT): Slightly wider stop losses (e.g., 1.0–1.2%) and take-profit targets (e.g., 1.8–2.5%) may work better.
Trending Markets: Increase emaSlowLen (e.g., to 25–30) to follow stronger trends.
Choppy Markets: Tighten bbMult (e.g., to 1.8) and lower rsiOverbought/rsiOversold (e.g., to 70/30) to filter noise.
Forward Testing:
After backtesting, run the strategy in real-time on a demo account for 1–2 weeks to validate performance under current market conditions.
Important Notes
No Universal "Best" Numbers: Optimal parameters vary by crypto pair, exchange, and market conditions (e.g., bull vs. bear market). The suggested values are a starting point based on common scalping practices.
Risk Management: Never risk more than 1–2% of your account per trade. Adjust position sizing in TradingView’s strategy settings to align with your risk tolerance.
Market Volatility: Crypto markets are highly volatile. Test the strategy on your specific pair and adjust parameters if signals are too frequent or too rare.
Not Financial Advice: This is an educational tool. Backtest thoroughly and use a demo account before trading with real funds.
If you want me to generate a chart showing backtest performance for specific parameters or to tweak the script further (e.g., adding more indicators or adjusting signal logic), let me know!can you add clear buy ans sell signs above the candles in this codeTo add clear buy and sell signals above the candles in the provided Pine Script, I'll modify the existing code to include prominent text labels directly above (for sell signals) and below (for buy signals) the candles. These labels will be larger, color-coded, and positioned to avoid clutter, ensuring they are easily visible on the chart. The core strategy logic (EMA, RSI, MACD, Bollinger Bands, candlestick patterns, and volume filter) will remain unchanged, and I'll reuse the same artifact_id since this is an update to the previous script.AdvancedCryptoScalpingStrategy.pinex-pine
Multi-Timeframe Continuity Custom Candle ConfirmationMulti-Timeframe Continuity Custom Candle Confirmation
 Overview 
The Timeframe Continuity Indicator is a versatile tool designed to help traders identify alignment between their current chart’s candlestick direction and higher timeframes of their choice. By coloring bars on the current chart (e.g., 1-minute) based on the directional alignment with selected higher timeframes (e.g., 10-minute, daily), this indicator provides a visual cue for confirming trends across multiple timeframes—a concept known as Timeframe Continuity. This approach is particularly useful for day traders, swing traders, and scalpers looking to ensure their trades align with broader market trends, reducing the risk of trading against the prevailing momentum.
 Originality and Usefulness 
This indicator is an original creation, built from scratch to address a common challenge in trading: ensuring that price action on a lower timeframe aligns with the trend on higher timeframes. Unlike many trend-following indicators that rely on moving averages, oscillators, or other lagging metrics, this script directly compares the bullish or bearish direction of candlesticks across timeframes. It introduces the following unique features:
 
  Customizable Timeframes: Users can select from a range of higher timeframes (5m, 10m, 15m, 30m, 1h, 2h, 4h, 1d, 1w, 1M) to check for alignment, making it adaptable to various trading styles.
  Neutral Candle Handling: The script accounts for neutral candles (where close == open) on the current timeframe by allowing them to inherit the direction of the higher timeframe, ensuring continuity in trend visualization.
  Table: A table displays the direction of each selected timeframe and the current timeframe, helping identify direction in the event you don't want to color bars.
  Toggles for Flexibility: Options to disable bar coloring and the debug table allow users to customize the indicator’s visual output for cleaner charts or focused analysis.
 
This indicator is not a mashup of existing scripts but a purpose-built tool to visualize timeframe alignment directly through candlestick direction, offering traders a straightforward way to confirm trend consistency.
 What It Does 
The Timeframe Continuity Indicator colors bars on your chart when the direction of the current timeframe’s candlestick (bullish, bearish, or neutral) aligns with the direction of the selected higher timeframes:
 
  Lime: The current bar (e.g., 1m) is bullish or neutral, and all selected higher timeframes (e.g., 10m) are bullish.
  Pink: The current bar is bearish or neutral, and all selected higher timeframes are bearish.
  Default Color: If the directions don’t align (e.g., 1m bar is bearish but 10m is bullish), the bar remains the default chart color.
 
The indicator also includes a debug table (toggleable) that shows the direction of each selected timeframe and the current timeframe, helping traders diagnose alignment issues.
 How It Works 
The script uses the following methodology:
1.	Direction Calculation: For each timeframe (current and selected higher timeframes), the script determines the candlestick’s direction: 
  Bullish (1): close > open  /  Bearish (-1): close < open  /    Neutral (0): close == open
  Higher timeframe directions are fetched using Pine Script’s request.security function, ensuring accurate data retrieval. 
2.	Alignment Check: The script checks if all selected higher timeframes are uniformly bullish (full_bullish) or bearish (full_bearish).
 o	A higher timeframe must have a clear direction (bullish or bearish) to trigger coloring. If any selected timeframe is neutral, alignment fails, and no coloring occurs. 
3.	Coloring Logic: The current bar is colored only if its direction aligns with the higher timeframes: 
 Lime if the higher timeframes are bullish and the current bar is bullish or neutral.
 Maroon if the higher timeframes are bearish and the current bar is bearish or neutral.
 If the current bar’s direction opposes the higher timeframe (e.g., 1m bearish, 10m bullish), the bar remains uncolored.
 Users can disable bar coloring entirely via the settings, leaving bars in their default chart color.
 
4. Direction Table: 
  A table in the top-right corner (toggleable) displays the direction of each selected timeframe and the current timeframe, using color-coded labels (green for bullish, red for bearish, gray for neutral).
  This feature helps traders understand why a bar is or isn’t colored, making the indicator accessible to users unfamiliar with Pine Script.
 
 How to Use 
1.	Add the Indicator: Add the "Timeframe Continuity Indicator" to your chart in TradingView (e.g., a 1m chart of SPY).
2.	Configure Settings: 
 
  Timeframe Selection: Check the boxes for the higher timeframes you want to compare against (default: 10m). Options include 5m, 10m, 15m, 30m, 1h, 2h, 4h, 1D, 1W, and 1M. Select multiple timeframes if you want to ensure alignment across all of them (e.g., 10m and 1d).
  Enable Bar Coloring: 	Default: true (bars are colored lime or maroon when aligned). Set to false to disable coloring and keep the default chart colors.
  Show Table: Default: true (table is displayed in the top-right corner). Set to false to hide the table for a cleaner chart.
 
3.	Interpret the Output: 
 
  Colored Bars: Lime bars indicate the current bar (e.g., 1m) is bullish or neutral, and all selected higher timeframes are bullish. Maroon bars indicate the current bar is bearish or neutral, and all selected higher timeframes are bearish. Uncolored bars (default chart color) indicate a mismatch (e.g., 1m bar is bearish while 10m is bullish) or no coloring if disabled.
  Direction Table: Check the table to see the direction of each selected timeframe and the current timeframe.
 
4.	Example Use Case: 
 
  On a 1m chart of SPY, select the 10m timeframe.
  If the 10m timeframe is bearish, 1m bars that are bearish or neutral will color maroon, confirming you’re trading with the higher timeframe’s trend.
  If a 1m bar is bullish while the 10m is bearish, it remains uncolored, signaling a potential misalignment to avoid trading.
 
 Underlying Concepts 
The indicator is based on the concept of Timeframe Continuity, a strategy used by traders to ensure that price action on a lower timeframe aligns with the trend on higher timeframes. This reduces the risk of entering trades against the broader market direction. The script directly compares candlestick directions (bullish, bearish, or neutral) rather than relying on lagging indicators like moving averages or RSI, providing a real-time, price-action-based confirmation of trend alignment. The handling of neutral candles ensures that minor indecision on the lower timeframe doesn’t interrupt the visualization of the higher timeframe’s trend.
 Why This Indicator? 
 
 Simplicity: Directly compares candlestick directions, avoiding complex calculations or lagging indicators.
 Flexibility: Customizable timeframes and toggles cater to various trading strategies.
 Transparency: The debug table makes the indicator’s logic accessible to all users, not just those who can read Pine Script.
 Practicality: Helps traders confirm trend alignment, a key factor in successful trading across timeframes.
 
Watermark with dynamic variables [BM]█  OVERVIEW 
This indicator allows users to add highly customizable watermark messages to their charts. Perfect for branding, annotation, or displaying dynamic chart information, this script offers advanced customization options including dynamic variables, text formatting, and flexible positioning.
█  CONCEPTS 
Watermarks are overlay messages on charts. This script introduces placeholders — special keywords wrapped in % signs — that dynamically replace themselves with chart-related data. These watermarks can enhance charts with context, timestamps, or branding.
█  FEATURES 
 
   Dynamic Variables : Replace placeholders with real-time data such as bar index, timestamps, and more.
   Advanced Customization : Modify text size, color, background, and alignment.
   Multiple Messages : Add up to four independent messages per group, with two groups supported (A and B).
   Positioning Options : Place watermarks anywhere on the chart using predefined locations.
   Timezone Support : Display timestamps in a preferred timezone with customizable formats.
 
█  INPUTS 
The script offers comprehensive input options for customization. Each Watermark (A and B) contains identical inputs for configuration.
  
Watermark settings are divided into two levels:
 Watermark-Level Settings 
These settings apply to the entire watermark group (A/B):
 
 Show Watermark:  Toggle the visibility of the watermark group on the chart.
 Position:  Choose where the watermark group is displayed on the chart.
 Reverse Line Order:  Enable to reverse the order of the lines displayed in Watermark A.
 
 Message-Level Settings 
Each watermark contains up to four configurable messages. These messages can be independently customized with the following options:
 
   Message Content:  Enter the custom text to be displayed. You can include placeholders for dynamic data.
   Text Size:  Select from predefined sizes (Tiny, Small, Normal, Large, Huge) or specify a custom size.
   Text Alignment and Colors: 
  - Adjust the alignment of the text (Left, Center, Right).
  - Set text and background colors for better visibility.
   Format Time:  Enable time formatting for this watermark message and configure the format and timezone. The settings for each message include message content, text size, alignment, and more. Please refer to  Formatting dates and times  for more details on valid formatting tokens.
 
█  PLACEHOLDERS 
Placeholders are special keywords surrounded by % signs, which the script dynamically replaces with specific chart-related data. These placeholders allow users to insert dynamic content, such as bar information or timestamps, into watermark messages. 
Below is the complete list of currently available placeholders:
 bar_index ,  barstate.isconfirmed ,  barstate.isfirst ,  barstate.ishistory ,  barstate.islast ,  barstate.islastconfirmedhistory ,  barstate.isnew ,  barstate.isrealtime ,  chart.is_heikinashi ,  chart.is_kagi ,  chart.is_linebreak ,  chart.is_pnf ,  chart.is_range ,  chart.is_renko ,  chart.is_standard ,  chart.left_visible_bar_time ,  chart.right_visible_bar_time ,  close ,  dayofmonth ,  dayofweek ,  dividends.future_amount ,  dividends.future_ex_date ,  dividends.future_pay_date ,  earnings.future_eps ,  earnings.future_period_end_time ,  earnings.future_revenue ,  earnings.future_time ,  high ,  hl2 ,  hlc3 ,  hlcc4 ,  hour ,  last_bar_index ,  last_bar_time ,  low ,  minute ,  month ,  ohlc4 ,  open ,  second ,  session.isfirstbar ,  session.isfirstbar_regular ,  session.islastbar ,  session.islastbar_regular ,  session.ismarket ,  session.ispostmarket ,  session.ispremarket ,  syminfo.basecurrency ,  syminfo.country ,  syminfo.currency ,  syminfo.description ,  syminfo.employees ,  syminfo.expiration_date ,  syminfo.industry ,  syminfo.main_tickerid ,  syminfo.mincontract ,  syminfo.minmove ,  syminfo.mintick ,  syminfo.pointvalue ,  syminfo.prefix ,  syminfo.pricescale ,  syminfo.recommendations_buy ,  syminfo.recommendations_buy_strong ,  syminfo.recommendations_date ,  syminfo.recommendations_hold ,  syminfo.recommendations_sell ,  syminfo.recommendations_sell_strong ,  syminfo.recommendations_total ,  syminfo.root ,  syminfo.sector ,  syminfo.session ,  syminfo.shareholders ,  syminfo.shares_outstanding_float ,  syminfo.shares_outstanding_total ,  syminfo.target_price_average ,  syminfo.target_price_date ,  syminfo.target_price_estimates ,  syminfo.target_price_high ,  syminfo.target_price_low ,  syminfo.target_price_median ,  syminfo.ticker ,  syminfo.tickerid ,  syminfo.timezone ,  syminfo.type ,  syminfo.volumetype ,  ta.accdist ,  ta.iii ,  ta.nvi ,  ta.obv ,  ta.pvi ,  ta.pvt ,  ta.tr ,  ta.vwap ,  ta.wad ,  ta.wvad ,  time ,  time_close ,  time_tradingday ,  timeframe.isdaily ,  timeframe.isdwm ,  timeframe.isintraday ,  timeframe.isminutes ,  timeframe.ismonthly ,  timeframe.isseconds ,  timeframe.isticks ,  timeframe.isweekly ,  timeframe.main_period ,  timeframe.multiplier ,  timeframe.period ,  timenow ,  volume ,  weekofyear ,  year 
█  HOW TO USE 
1 —  Add the Script: 
  Apply "Watermark with dynamic variables  " to your chart from the TradingView platform.
 
2 —  Configure Inputs: 
  Open the script settings by clicking the gear icon next to the script's name.
  Customize visibility, message content, and appearance for Watermark A and Watermark B.
 
3 —  Utilize Placeholders: 
  Add placeholders like %bar_index% or %timenow% in the "Watermark - Message" fields to display dynamic data.
  Empty lines in the message box are reflected on the chart, allowing you to shift text up or down.
  Using \n in the message box translates to a new line on the chart.
 
4 —  Preview Changes: 
  Adjust settings and view updates in real-time on your chart.
 
█  EXAMPLES 
 Branding 
DodgyDD's charts
  
  
 Debugging 
  
  
█  LIMITATIONS 
 
 Only supports variables defined within the script.
 Limited to four messages per watermark.
 Visual alignment may vary across different chart resolutions or zoom levels.
 Placeholder parsing relies on correct input formatting.
 
█  NOTES 
This script is designed for users seeking enhanced chart annotation capabilities. It provides tools for dynamic, customizable watermarks but is not a replacement for chart objects like text labels or drawings. Please ensure placeholders are properly formatted for correct parsing.
Additionally, this script can be a valuable tool for Pine Script developers during  debugging . By utilizing dynamic placeholders, developers can display real-time values of variables and chart data directly on their charts, enabling easier troubleshooting and code validation.
DNSE VN301!, SMA & EMA Cross StrategyDiscover the tailored Pinescript to trade VN30F1M Future Contracts intraday, the strategy focuses on SMA & EMA crosses to identify potential entry/exit points. The script closes all positions by 14:25 to avoid holding any contracts overnight.
 HNX:VN301!  
 www.tradingview.com 
 Setting & Backtest result: 
1-minute chart, initial capital of VND 100 million, entering 4 contracts per time, backtest result from Jan-2024 to Nov-2024 yielded a return over 40%, executed over 1,000 trades (average of 4 trades/day), winning trades rate ~ 30% with a profit factor of 1.10. 
 The default setting of the script:  
A decent optimization is reached when SMA and EMA periods are set to 60 and 15 respectively while the Long/Short stop-loss level is set to 20 ticks (2 points) from the entry price. 
 Entry & Exit conditions:  
Long signals are generated when ema(15) crosses over sma(60) while Short signals happen when ema(15) crosses under sma(60). Long orders are closed when ema(15) crosses under sma(60) while Short orders are closed when ema(15) crosses over sma(60).
Exit conditions happen when (whichever came first):
 
 Another Long/Short signal is generated
 The Stop-loss level is reached 
 The Cut-off time is reached (14:25 every day)
 
 *Disclaimers:  
Futures Contracts Trading are subjected to a high degree of risk and price movements can fluctuate significantly. This script functions as a reference source and should be used after users have clearly understood how futures trading works, accessed their risk tolerance level, and are knowledgeable of the functioning logic behind the script. 
Users are solely responsible for their investment decisions, and DNSE is not responsible for any potential losses from applying such a strategy to real-life trading activities. Past performance is not indicative/guarantee of future results, kindly reach out to us should you have specific questions about this script.
---------------------------------------------------------------------------------------
Khám phá Pinescript được thiết kế riêng để giao dịch Hợp đồng tương lai VN30F1M trong ngày, chiến lược tập trung vào các đường SMA & EMA cắt nhau để xác định các điểm vào/ra tiềm năng. Chiến lược sẽ đóng tất cả các vị thế trước 14:25 để tránh giữ bất kỳ hợp đồng nào qua đêm.
 Thiết lập & Kết quả backtest: 
Chart 1 phút, vốn ban đầu là 100 triệu đồng, vào 4 hợp đồng mỗi lần, kết quả backtest từ tháng 1/2024 tới tháng 11/2024 mang lại lợi nhuận trên 40%, thực hiện hơn 1.000 giao dịch (trung bình 4 giao dịch/ngày), tỷ lệ giao dịch thắng ~ 30% với hệ số lợi nhuận là 1,10.
 Thiết lập mặc định của chiến lược: 
Đạt được một mức tối ưu ổn khi SMA và EMA periods được đặt lần lượt là 60 và 15 trong khi mức cắt lỗ được đặt thành 20 tick (2 điểm) từ giá vào.
 Điều kiện Mở và Đóng vị thế:  
Tín hiệu Long được tạo ra khi ema(15) cắt trên sma(60) trong khi tín hiệu Short xảy ra khi ema(15) cắt dưới sma(60). Lệnh Long được đóng khi ema(15) cắt dưới sma(60) trong khi lệnh Short được đóng khi ema(15) cắt lên sma(60).
Điều kiện đóng vị thể xảy ra khi (tùy điều kiện nào đến trước):
 
 Một tín hiệu Long/Short khác được tạo ra
 Giá chạm mức cắt lỗ
 Lệnh chưa đóng nhưng tới giờ cut-off (14:25 hàng ngày)
 
 *Tuyên bố miễn trừ trách nhiệm: 
Giao dịch hợp đồng tương lai có mức rủi ro cao và giá có thể dao động đáng kể. Chiến lược này hoạt động như một nguồn tham khảo và nên được sử dụng sau khi người dùng đã hiểu rõ cách thức giao dịch hợp đồng tương lai, đã đánh giá mức độ chấp nhận rủi ro của bản thân và hiểu rõ về logic vận hành của chiến lược này.
Người dùng hoàn toàn chịu trách nhiệm về các quyết định đầu tư của mình và DNSE không chịu trách nhiệm về bất kỳ khoản lỗ tiềm ẩn nào khi áp dụng chiến lược này vào các hoạt động giao dịch thực tế. Hiệu suất trong quá khứ không chỉ ra/cam kết kết quả trong tương lai, vui lòng liên hệ với chúng tôi nếu bạn có thắc mắc cụ thể về chiến lược giao dịch này.
ICT Immediate Rebalance [LuxAlgo]The  ICT Immediate Rebalance  aims at detecting and highlighting immediate rebalances, a concept taught by Inner Circle Trader. The ICT Immediate Rebalance, although frequently overlooked, emerges as one of ICT's most influential concepts, particularly when considered within a specific context.
 🔶 USAGE 
  
Immediate rebalances, a concept taught by ICT, hold significant importance in decision-making. To comprehend the concept of immediate rebalance, it's essential to grasp the notion of the fair value gap. A fair value gap arises from market inefficiencies or imbalances, whereas an immediate rebalance leaves no gap, no inefficiencies, or no imbalances that the price would need to return to. 
 
  
Following an immediate rebalance, the typical expectation is for two extension candles to ensue; failing this, the immediate rebalance is deemed unsuccessful. It's important to note that both failed and successful immediate rebalances hold significance in trading when analyzed within a contextual framework.
  
Immediate rebalances can manifest across various locations and timeframes. It's recommended to analyze them in conjunction with other ICT tools or technical indicators to gain a more comprehensive understanding of market dynamics.
  
 🔹 Multi Timeframe 
The script facilitates multi-timeframe analysis, enabling users to display immediate rebalances from higher timeframes.
  
Enabling the display of higher timeframe candles helps visualize the detected immediate rebalance patterns.
  
 🔹 Dashboard 
The dashboard offers statistical insights into immediate rebalances.
  
 🔶 SETTINGS 
 🔹 Immediate Rebalances 
  
 Timeframe: this option is to identify immediate rebalances from higher timeframes. If a timeframe lower than the chart's timeframe is selected, calculations will be based on the chart's timeframe.
 Bullish, and Bearish Immediate Rebalances: color customization options.
 Wicks 75%, %50, and %25: color customization options of the wick price levels for the detected immediate rebalances.
 Immediate Rebalance Candles: toggles the visualization of higher timeframe candles where immediate rebalance is detected.
 Confirmation (Bars): specifies the number of bars required to confirm the validation of the detected immediate rebalance. 
 Immediate Rebalance Icon: allows customization of the size of the icon used to represent the immediate rebalance.
 
 🔹 Dashboard 
  
 Dashboard: toggles the visualization of the dashboard, sets its location, and customizes the size of the dashboard.
 
 🔶 RELATED SCRIPTS 
 Fair-Value-Gap 
Thanks to our community for recommending this script. For more conceptual scripts and related content, we welcome you to explore by visiting >>>  LuxAlgo-Scripts .
CCOMET_Scanner_LibraryLibrary   "CCOMET_Scanner_Library" 
- A Trader's Edge (ATE)_Library was created to assist in constructing CCOMET Scanners
 Loc_tIDs_Col(_string, _firstLocation) 
  TickerIDs: You must form this single tickerID input string exactly as described in the scripts info panel (little gray 'i' that
is circled at the end of the settings in the settings/input panel that you can hover your cursor over this 'i' to read the
details of that particular input). IF the string is formed correctly then it will break up this single string parameter into
a total of 40 separate strings which will be all of the tickerIDs that the script is using in your CCOMET Scanner.
Locations: This function is used when there's a desire to print an assets ALERT LABELS. A set Location on the scale is assigned to each asset.
This is created so that if a lot of alerts are triggered, they will stay relatively visible and not overlap each other.
If you set your '_firstLocation' parameter as 1, since there are a max of 40 assets that can be scanned, the 1st asset's location
is assigned the value in the '_firstLocation' parameter, the 2nd asset's location is the (1st asset's location+1)...and so on.
  Parameters:
     _string (simple string) : (string)
A maximum of 40 Tickers (ALL joined as 1 string for the input parameter) that is formulated EXACTLY as described
within the tooltips of the TickerID inputs in my CCOMET Scanner scripts:
assets = input.text_area(tIDset1, title="TickerID (MUST READ TOOLTIP)", tooltip="Accepts 40 TICKERID's for each
copy of the script on the chart. TEXT FORMATTING RULES FOR TICKERID'S:
(1) To exclude the EXCHANGE NAME in the Labels, de-select the next input option.
(2) MUST have a space (' ') AFTER each TickerID.
(3) Capitalization in the Labels will match cap of these TickerID's.
(4) If your asset has a BaseCurrency & QuoteCurrency (ie. ADAUSDT  ) BUT you ONLY want Labels
to show BaseCurrency(ie.'ADA'), include a FORWARD SLASH ('/') between the Base & Quote (ie.'ADA/USDT')", display=display.none)
     _firstLocation (simple int) : (simple int)
Optional (starts at 1 if no parameter added).
Location that you want the first asset to print its label if is triggered to do so.
ie. loc2=loc1+1, loc3=loc2+1, etc.
  Returns: Returns 40 output variables in the tuple (ie. between the ' ') with the TickerIDs, 40 variables for the locations for alert labels, and 40 Colors for labels/plots
 TickeridForLabelsAndSecurity(_ticker, _includeExchange) 
  This function accepts the TickerID Name as its parameter and produces a single string that will be used in all of your labels.
  Parameters:
     _ticker (simple string) : (string)
For this parameter, input the varible named '_coin' from your 'f_main()' function for this parameter. It is the raw
Ticker ID name that will be processed.
     _includeExchange (simple bool) : (bool)
Optional (if parameter not included in function it defaults to false  ).
Used to determine if the Exchange name will be included in all labels/triggers/alerts.
  Returns: ( )
Returns 2 output variables:
1st ('_securityTickerid') is to be used in the 'request.security()' function as this string will contain everything
TV needs to pull the correct assets data.
2nd ('lblTicker') is to be used in all of the labels in your CCOMET Scanner as it will only contain what you want your labels
to show as determined by how the tickerID is formulated in the CCOMET Scanner's input.
 InvalID_LblSz(_barCnt, _close, _securityTickerid, _invalidArray, _tablePosition, _stackVertical, _lblSzRfrnce) 
  INVALID TICKERIDs: This is to add a table in the middle right of your chart that prints all the TickerID's that were either not formulated
correctly in the '_source' input or that is not a valid symbol and should be changed.
LABEL SIZES: This function sizes your Alert Trigger Labels according to the amount of Printed Bars the chart has printed within
a set time period, while also keeping in mind the smallest relative reference size you input in the 'lblSzRfrnceInput'
parameter of this function. A HIGHER % of Printed Bars(aka...more trades occurring for that asset on the exchange),
the LARGER the Name Label will print, potentially showing you the better opportunities on the exchange to avoid
exchange manipulation liquidations.
*** SHOULD NOT be used as size of labels that are your asset Name Labels next to each asset's Line Plot...
if your CCOMET Scanner includes these as you want these to be the same size for every asset so the larger ones dont cover the
smaller ones if the plots are all close to each other ***
  Parameters:
     _barCnt (float) : (float)
Get the 1st variable('barCnt') from the Security function's tuple and input it as this functions 1st input
parameter which will directly affect the size of the 2nd output variable ('alertTrigLabel') that is also outputted by this function.
     _close (float) : (float)
Put your 'close' variable named '_close' from the security function here.
     _securityTickerid (string) : (string)
Throughout the entire charts updates, if a '_close' value is never registered then the logic counts the asset as INVALID.
This will be the 1st TickerID variable (named _securityTickerid) outputted from the tuple of the TickeridForLabels()
function above this one.
     _invalidArray (array) : (array string)
Input the array from the original script that houses all of the invalidArray strings.
     _tablePosition (simple string) : (string)
Optional (if parameter not included, it defaults to position.middle_right). Location on the chart you want the table printed.
Possible strings include: position.top_center, position.top_left, position.top_right, position.middle_center,
position.middle_left, position.middle_right, position.bottom_center, position.bottom_left, position.bottom_right.
     _stackVertical (simple bool) : (bool)
Optional (if parameter not included, it defaults to true). All of the assets that are counted as INVALID will be
created in a list. If you want this list to be prited as a column then input 'true' here, otherwise they will all be in a row.
     _lblSzRfrnce (string) : (string)
Optional (if parameter not included, it defaults to size.small). This will be the size of the variable outputted
by this function named 'assetNameLabel' BUT also affects the size of the output variable 'alertTrigLabel' as it uses this parameter's size
as the smallest size for 'alertTrigLabel' then uses the '_barCnt' parameter to determine the next sizes up depending on the "_barCnt" value.
  Returns: ( )
Returns 2 variables:
1st output variable ('AssetNameLabel') is assigned to the size of the 'lblSzRfrnceInput' parameter.
2nd output variable('alertTrigLabel') can be of variying sizes depending on the 'barCnt' parameter...BUT the smallest
size possible for the 2nd output variable ('alertTrigLabel') will be the size set in the 'lblSzRfrnceInput' parameter.
 PrintedBarCount(_time, _barCntLength, _barCntPercentMin) 
  The Printed BarCount Filter looks back a User Defined amount of minutes and calculates the % of bars that have printed
out of the TOTAL amount of bars that COULD HAVE been printed within the same amount of time.
  Parameters:
     _time (int) : (int)
The time associated with the chart of the particular asset that is being screened at that point.
     _barCntLength (int) : (int)
The amount of time (IN MINUTES) that you want the logic to look back at to calculate the % of bars that have actually
printed in the span of time you input into this parameter.
     _barCntPercentMin (int) : (int)
The minimum % of Printed Bars of the asset being screened has to be GREATER than the value set in this parameter
for the output variable 'bc_gtg' to be true.
  Returns: ( )
Returns 2 outputs:
1st is the % of Printed Bars that have printed within the within the span of time you input in the '_barCntLength' parameter.
2nd is true/false according to if the Printed BarCount % is above the threshold that you input into the '_barCntPercentMin' parameter.
MoonFlag BTC Daily Swing PredictorThis script mainly works on BTC on the daily timeframe. Other coins also show similar usefulness with this script however, BTC on the daily timeframe is the main design for this script.
(Please note this is not trading advice this is just comments about how this indicator works.)
This script is predictive. It colors the background yellow when the script calculates a large BTC swing is potentially about to happen.  It does not predict in which direction the swing will occur but it leads the price action so can be useful for leveraged trades.  When the background gets colored with vertical yellow lines - this shows that a largish price swing is probably going to occur.
The scripts also shades bands around the price action that are used to estimate an acceptable volatility at any given time.  If the bands are wide that means price action is volatile and large swings are not easily predicted.  Over time, with reducing volatility, these price action bands narrow and then at a set point or percentage (%) which can be set in the script settings, the background gets colored yellow. This indicates present price action is not volatile and a large price swing is potentially going to happen in the near future. When price action breaks through the narrowing bands, the background is no longer presented because this is seen as an increase in volatility and a considerable portion of the time, a large sudden drop in price action or momentous gain in price is realized. 
This indicator leads price action. It predicts that a swing is possibly going to happen in the near future.  As the indicator works on the BTC daily, this means on a day-to-day basis if the bands continually narrow - a breakout is more likely to happen.  In order to see how well this indicator works, have a look at the results on the screenshot provided.  Note the regions where vertical yellow lines are present on the price action - and then look after these to see if a sizeable swing in price has occurred.  
To use this indicator - wait until yellow vertical lines are presented on the BTC daily. Then use your experience to determine which way the price action might swing and consider entering a trade or leveraged trade in this direction.  Alternatively wait a while to see in which direction the break-out occurs and considering and attempt to trade with this.  Sometimes swings can be unexpected and breakout in one direction before then swinging much larger in the other.  Its important to remember/consider that this indicator works on the BTC daily timeframe, so any consideration of entering a trade should be expected to cover a duration over many days or weeks, or possibly months.  A large swing is only estimated every several plus months.
Most indicators are based on moving averages. A moving average is not predictive in the sense in that it lags price actions.  This indicator creates bands that are based on the momentum of the price action.  A change in momentum of price action therefore causes the bands to widen.  When the bands narrow this means that the momentum of the price action is steady and price action volatility has converged/reduced over time.  With BTC this generally means that a large swing in price action is going to occur as momentum in price action then pick-up again in one direction or another.  Trying to view this using moving averages is not easy as a moving average lags price action which means that it is difficult to predict any sudden movements in price action ahead of when they might occur.  Although, moving averages will converge over time in a similar manner as the bands calculated by this script.  This script however, uses the price action momentum in a predictive manner to estimate where the price action might go based on present price momentum.  This script therefore reacts to reduced volatility in price action much faster than a set of moving averages over various timescales can achieve.
MoonFlag       
Dividend Calendar (Zeiierman)█  Overview 
The  Dividend Calendar  is a financial tool designed for investors and analysts in the stock market. Its primary function is to provide a schedule of expected dividend payouts from various companies. 
   
Dividends, which are portions of a company's earnings distributed to shareholders, represent a return on their investment. This calendar is particularly crucial for investors who prioritize dividend income, as it enables them to plan and manage their investment strategies with greater effectiveness. By offering a comprehensive overview of when dividends are due, the Dividend Calendar aids in informed decision-making, allowing investors to time their purchases and sales of stocks to optimize their dividend income. Additionally, it can be a valuable tool for forecasting cash flow and assessing the financial health and dividend-paying consistency of different companies.
  
█  How to Use 
 Dividend Yield Analysis:  
By tracking dividend growth and payouts, traders can identify stocks with attractive dividend yields. This is particularly useful for income-focused investors who prioritize steady cash flow from their investments.
 Income Planning: 
For those relying on dividends as a source of income, the calendar helps in forecasting income.
 Trend Identification:  
Analyzing the growth rates of dividends helps in identifying long-term trends in a company's financial health. Consistently increasing dividends can be a sign of a company's strong financial position, while decreasing dividends might signal potential issues.
 Portfolio Diversification:  
The tool can assist in diversifying a portfolio by identifying a range of dividend-paying stocks across different sectors. This can help mitigate risk as different sectors may react differently to market conditions.
 Timing Investments: 
For those who follow a dividend capture strategy, this indicator can be invaluable. It can help in timing the buying and selling of stocks around their ex-dividend dates to maximize dividend income.
  
█  How it Works 
This script is a comprehensive tool for tracking and analyzing stock dividend data. It calculates growth rates, monthly and yearly totals, and allows for custom date handling. Structured to be visually informative, it provides tables and alerts for the easy monitoring of dividend-paying stocks.
 
   Data Retrieval and Estimation:  It fetches dividend payout times and amounts for a list of stocks. The script also estimates future values based on historical data.
   Growth Analysis:  It calculates the average growth rate of dividend payments for each stock, providing insights into dividend consistency and growth over time.
   Summation and Aggregation:  The script sums up dividends on a monthly and yearly basis, allowing for a clear view of total payouts.
   Customization and Alerts:  Users can input custom months for dividend tracking. The script also generates alerts for upcoming or current dividend payouts.
   Visualization:  It produces various tables and visual representations, including full calendar views and income tables, to display the dividend data in an easily understandable format.
 
█  Settings 
 Overview: 
 Currency: 
 
  Description: This setting allows the user to specify the currency in which dividend values are displayed. By default, it's set to USD, but users can change it to their local currency.
  Impact: Changing this value alters the currency denomination for all dividend values displayed by the script.
 
 Ex-Date or Pay-Date: 
 
  Description: Users can select whether to show the Ex-dividend day or the Actual Payout day.
  Impact: This changes the reference date for dividend data, affecting the timing of when dividends are shown as due or paid.
 
 Estimate Forward: 
 
  Description: Enables traders to predict future dividends based on historical data.
  Impact: When enabled, the script estimates future dividend payments, providing a forward-looking view of potential income.
 
 Dividend Table Design: 
 
  Description: Choose between viewing the full dividend calendar, just the cumulative monthly dividend, or a summary view.
  Impact: This alters the format and extent of the dividend data displayed, catering to different levels of detail a user might require.
 
 Show Dividend Growth: 
 
  Description: Users can enable dividend growth tracking over a specified number of years.
  Impact: When enabled, the script displays the growth rate of dividends over the selected number of years, providing insight into dividend trends.
 
 Customize Stocks & User Inputs: 
 
  This setting allows users to customize the stocks they track, the number of shares they hold, the dividend payout amount, and the payout months.
  Impact: Users can tailor the script to their specific portfolio, making the dividend data more relevant and personalized to their investments.
 
-----------------
Disclaimer
The information contained in my Scripts/Indicators/Ideas/Algos/Systems does not constitute financial advice or a solicitation to buy or sell any securities of any type. I will not accept liability for any loss or damage, including without limitation any loss of profit, which may arise directly or indirectly from the use of or reliance on such information.
All investments involve risk, and the past performance of a security, industry, sector, market, financial product, trading strategy, backtest, or individual's trading does not guarantee future results or returns. Investors are fully responsible for any investment decisions they make. Such decisions should be based solely on an evaluation of their financial circumstances, investment objectives, risk tolerance, and liquidity needs.
My Scripts/Indicators/Ideas/Algos/Systems are only for educational purposes!
signal_datagramThe purpose of this library is to split and merge an integer into useful pieces of information that can easily handled and plotted.
The basic piece of information is one word. Depending on the underlying numerical system a word can be a bit, octal, digit, nibble, or byte.
The user can define channels. Channels are named groups of words. Multiple words can be combined to increase the value range of a channel.
A datagram is a description of the user-defined channels in an also user-defined numeric system that also contains all runtime information that is necessary to split and merge the integer.
This library simplifies the communication between two scripts by allowing the user to define the same datagram in both scripts.
On the sender's side, the channel values can be merged into one single integer value called signal. This signal can be 'emitted' using the plot function. The other script can use the 'input.source' function to receive that signal.
On the receiver's end based on the same datagram, the signal can be split into several channels. Each channel has the piece of information that the sender script put.
In the example of this library, we use two channels and we have split the integer in half. However, the user can add new channels, change them, and give meaning to them according to the functionality he wants to implement and the type of information he wants to communicate.
Nowadays many 'input.source' calls are allowed to pass information between the scripts, When that is not a price or a floating value, this library is very useful.
The reason is that most of the time, the convention that is used is not clear enough and it is easy to do things the wrong way or break them later on.
With this library validation checks are done during the initialization minimizing the possibility of error due to some misconceptions.
Library   "signal_datagram" 
Conversion of a datagram type to a signal that can be "send" as a single value from an indicator to a strategy script
 method init(this, positions, maxWords) 
  init - Initialize if the word positons array with an empty array
  Namespace types: WordPosArray
  Parameters:
     this (WordPosArray) : - The word positions array object
     positions (int ) : - The array that contains all the positions of the worlds that shape the channel
     maxWords (int) : - The maximum words allowed based on the span
  Returns: The initialized object
 method init(this) 
  init - Initialize if the channels word positons map with an empty map
  Namespace types: ChannelDesc
  Parameters:
     this (ChannelDesc) : - The channels' descriptor object
  Returns: The initialized object
 method init(this, numericSystem, channelDesc) 
  init - Initialize if the datagram
  Namespace types: Datagram
  Parameters:
     this (Datagram) : - The datagram object
     numericSystem (simple string) : - The numeric system of the words to be used
     channelDesc (ChannelDesc) : - The channels descriptor that contains the positions of the words that each channel consists of
  Returns: The initialized object
 method add_channel(this, name, positions) 
  add_channel - Add a new channel descriptopn with its name and its corresponding word positons to the map
  Namespace types: ChannelDesc
  Parameters:
     this (ChannelDesc) : - The channels' descriptor object to update
     name (simple string) 
     positions (int ) 
  Returns: The initialized object
 method set_signal(this, value) 
  set_signal - Set the signal value
  Namespace types: Datagram
  Parameters:
     this (Datagram) : - The datagram object to update
     value (int) : - The signal value to set
 method get_signal(this) 
  get_signal - Get the signal value
  Namespace types: Datagram
  Parameters:
     this (Datagram) : - The datagram object to query
  Returns: The value of the signal in digits
 method set_signal_sign(this, sign) 
  set_signal_sign - Set the signal sign
  Namespace types: Datagram
  Parameters:
     this (Datagram) : - The datagram object to update
     sign (int) : - The negative -1 or positive 1 sign of the underlying value
 method get_signal_sign(this) 
  get_signal_sign - Get the signal sign
  Namespace types: Datagram
  Parameters:
     this (Datagram) : - The datagram object to query
  Returns: The sign of the signal value -1 if it is negative and 1 if it is possitive
 method get_channel_names(this) 
  get_channel_names - Get an array of all channel names
  Namespace types: Datagram
  Parameters:
     this (Datagram) 
  Returns: An array that has all the channel names that are used by the datagram
 method set_channel_value(this, channelName, value) 
  set_channel_value - Set the value of the channel
  Namespace types: Datagram
  Parameters:
     this (Datagram) : - The datagram object to update
     channelName (simple string) : - The name of the channel to set the value to. Then name should be as described int the schemas channel descriptor
     value (int) : - The channel value to set
 method set_all_channels_value(this, value) 
  set_all_channels_value - Set the value of all the channels
  Namespace types: Datagram
  Parameters:
     this (Datagram) : - The datagram object to update
     value (int) : - The channel value to set
 method set_all_channels_max_value(this) 
  set_all_channels_value - Set the value of all the channels
  Namespace types: Datagram
  Parameters:
     this (Datagram) : - The datagram object to update
 method get_channel_value(this, channelName) 
  get_channel_value - Get the value of the channel
  Namespace types: Datagram
  Parameters:
     this (Datagram) : - The datagram object to query
     channelName (simple string) 
  Returns: Digit group of words (bits/octals/digits/nibbles/hexes/bytes) found at the channel accodring to the schema
 WordDesc 
  Fields:
     numericSystem (series__string) 
     span (series__integer) 
 WordPosArray 
  Fields:
     positions (array__integer) 
 ChannelDesc 
  Fields:
     map (map__series__string:|WordPosArray|#OBJ) 
 Schema 
  Fields:
     wordDesc (|WordDesc|#OBJ) 
     channelDesc (|ChannelDesc|#OBJ) 
 Signal 
  Fields:
     value (series__integer) 
     isNegative (series__bool) 
     words (array__integer) 
 Datagram 
  Fields:
     schema (|Schema|#OBJ) 
     signal (|Signal|#OBJ)
Intrabar Efficiency Ratio█   OVERVIEW 
This indicator displays a directional variant of Perry Kaufman's Efficiency Ratio, designed to gauge the "efficiency" of intrabar price movement by comparing the sum of movements of the lower timeframe bars composing a chart bar with the respective bar's movement on an average basis.
█   CONCEPTS 
 Efficiency Ratio (ER) 
 Efficiency Ratio  was first introduced by Perry Kaufman in his 1995 book, titled "Smarter Trading". It is the ratio of absolute price change to the sum of absolute changes on each bar over a period. This tells us how strong the period's trend is relative to the underlying noise. Simply put, it's a measure of price movement efficiency. This ratio is the modulator utilized in Kaufman's Adaptive Moving Average (KAMA), which is essentially an Exponential Moving Average (EMA) that adapts its responsiveness to movement efficiency.
ER's output is bounded between 0 and 1. A value of 0 indicates that the starting price equals the ending price for the period, which suggests that price movement was maximally inefficient. A value of 1 indicates that price had travelled no more than the distance between the starting price and the ending price for the period, which suggests that price movement was maximally efficient. A value between 0 and 1 indicates that price had travelled a distance greater than the distance between the starting price and the ending price for the period. In other words, some degree of noise was present which resulted in reduced efficiency over the period.
As an example, let's say that the price of an asset had moved from $15 to $14 by the end of a period, but the sum of absolute changes for each bar of data was $4. ER would be calculated like so:
  ER = abs(14 - 15)/4 = 0.25 
This suggests that the trend was only 25% efficient over the period, as the total distanced travelled by price was four times what was required to achieve the change over the period.  
 Intrabars 
 Intrabars  are chart bars at a lower timeframe than the chart's. Each 1H chart bar of a 24x7 market will, for example, usually contain 60 intrabars at the LTF of 1min, provided there was market activity during each minute of the hour. Mining information from intrabars can be useful in that it offers traders visibility on the activity inside a chart bar.
 Lower timeframes (LTFs) 
A  lower timeframe  is a timeframe that is smaller than the chart's timeframe. This script determines which LTF to use by examining the chart's timeframe. The LTF determines how many intrabars are examined for each chart bar; the lower the timeframe, the more intrabars are analyzed, but fewer chart bars can display indicator information because there is a limit to the total number of intrabars that can be analyzed.
 Intrabar precision 
The precision of calculations increases with the number of intrabars analyzed for each chart bar. As there is a 100K limit to the number of intrabars that can be analyzed by a script, a trade-off occurs between the number of intrabars analyzed per chart bar and the chart bars for which calculations are possible.
 Intrabar Efficiency Ratio (IER) 
 Intrabar Efficiency Ratio  applies the concept of ER on an intrabar level. Rather than comparing the overall change to the sum of bar changes for the current chart's timeframe over a period, IER compares single bar changes for the current chart's timeframe to the sum of absolute intrabar changes, then applies smoothing to the result. This gives an indication of how efficient changes are on the current chart's timeframe for each bar of data relative to LTF bar changes on an average basis. Unlike the standard ER calculation, we've opted to preserve directional information by not taking the absolute value of overall change, thus allowing it to be utilized as a momentum oscillator. However, by taking the absolute value of this oscillator, it could potentially serve as a replacement for ER in the design of adaptive moving averages.
Since this indicator preserves directional information, IER can be regarded as similar to the  Chande Momentum Oscillator (CMO) , which was presented in 1994 by Tushar Chande in "The New Technical Trader". Both CMO and ER essentially measure the same relationship between trend and noise. CMO simply differs in scale, and considers the direction of overall changes.
█   FEATURES 
 Display 
Three different display types are included within the script:
 •  Line : Displays the middle length MA of the IER as a  line .
  Color for this display can be customized via the "Line" portion of the "Visuals" section in the script settings.
 •  Candles : Displays the non-smooth IER and two moving averages of different lengths as  candles .
  The `open` and `close` of the candle are the longest and shortest length MAs of the IER respectively. 
  The `high` and `low` of the candle are the  max  and  min  of the IER, longest length MA of the IER, and shortest length MA of the IER respectively.
  Colors for this display can be customized via the "Candles" portion of the "Visuals" section in the script settings.
 •  Circles : Displays three MAs of the IER as  circles .
  The color of each  plot  depends on the  percent rank  of the respective MA over the previous 100 bars.
  Different colors are triggered when ranks are below 10%, between 10% and 50%, between 50% and 90%, and above 90%.
  Colors for this display can be customized via the "Circles" portion of the "Visuals" section in the script settings.
With either display type, an optional information box can be displayed. This box shows the LTF that the script is using, the average number of lower timeframe bars per chart bar, and the number of chart bars that contain LTF data. 
 Specifying intrabar precision 
Ten options are included in the script to control the number of intrabars used per chart bar for calculations. The greater the number of intrabars per chart bar, the fewer chart bars can be analyzed.
The first five options allow users to specify the approximate amount of chart bars to be covered:
 •  Least Precise (Most chart bars) : Covers all chart bars by dividing the current timeframe by four. 
  This ensures the highest level of intrabar precision while achieving complete coverage for the dataset.
 •  Less Precise (Some chart bars) & More Precise (Less chart bars) : These options calculate a stepped LTF in relation to the current chart's timeframe.
 •  Very precise (2min intrabars) : Uses the second highest quantity of intrabars possible with the 2min LTF.
 •  Most precise (1min intrabars) : Uses the maximum quantity of intrabars possible with the 1min LTF.
The stepped lower timeframe for "Less Precise" and "More Precise" options is calculated from the current chart's timeframe as follows:
 Chart Timeframe            Lower Timeframe
                    Less Precise     More Precise
                                   
    < 1hr               1min            1min
    < 1D                15min           1min
    < 1W                2hr             30min
    > 1W                1D              60min 
The last five options allow users to specify an approximate fixed number of intrabars to analyze per chart bar. The available choices are 12, 24, 50, 100, and 250. The script will calculate the LTF which most closely approximates the specified number of intrabars per chart bar. Keep in mind that due to factors such as the length of a ticker's sessions and rounding of the LTF, it is not always possible to produce the exact number specified. However, the script will do its best to get as close to the value as possible.
 Specifying MA type 
Seven MA types are included in the script for different averaging effects:
 •  Simple 
 •  Exponential 
 •  Wilder (RMA) 
 •  Weighted 
 •  Volume-Weighted 
 •  Arnaud Legoux  with `offset` and `sigma` set to 0.85 and 6 respectively.
 •  Hull 
 Weighting 
This script includes the option to weight IER values based on the  percent rank  of absolute price changes on the current chart's timeframe over a specified period, which can be enabled by checking the "Weigh using relative close changes" option in the script settings. This places reduced emphasis on IER values from smaller changes, which may help to reduce noise in the output.
█   FOR Pine Script™ CODERS 
 • This script imports the recently published  lower_ltf  library for calculating intrabar statistics and the optimal lower timeframe in relation to the current chart's timeframe.
 • This script uses the recently released  request.security_lower_tf()  Pine Script™ function discussed in  this blog post . 
  It works differently from the usual  request.security()  in that it can only be used on LTFs, and it returns an array containing one value per intrabar. 
  This makes it much easier for programmers to access intrabar information.
 • This script implements a new recommended best practice for  tables  which works faster and reduces memory consumption.
  Using this new method, tables are declared only once with  var , as usual. Then, on the first bar only, we use   table.cell()  to populate the table.
  Finally,  table.set_*()  functions are used to update attributes of table cells on the last bar of the dataset.
  This greatly reduces the resources required to render tables.
 Look first. Then leap.  
Volume Spike Retracement█ OVERVIEW 
-Following many people's request to add "Volume" mode again in my "Institutional OrderBlock Pressure" script. I decided to release an improved 
and full-fledged script. This will be the last OB/Retracement script I will release as we have explored every possible way to find them.
█ HOW TO INTERPRET? 
-The script uses the the 0.5 Pivot and the maximum value set for Volume Length to find 'Peak Volume'. Once these conditions are met, 
the script starts creating a Retracement Line.
-By default, the Volume Length value is set to 89, which works well with most Timeframes following the OrderBlocks/Retracements 
logic used in my scripts.
-You have the option to set Alerts when the "Volume Spike Limit" is reached or when a Price Crossing with a Line occurs.
█ NOTES 
- Yes Alerts appear instantly. Moreover, they are not 'confirmed', you must ALWAYS wait for confirmation before making a choice. 
 Good Trade everyone and remember, risk management remains the most important!
Dual Purpose Pine Based CorrelationThis is my "Pine-based" correlation() function written in raw Pine Script. Other names applied to it are "Pearson Correlation", "Pearson's r", and one I can never remember being "Pearson Product-Moment Correlation Coefficient(PPMCC)". There is two basic ways to utilize this script. One is checking correlation with another asset such as the S&P 500 (provided as a default). The second is using it as a handy independent indicator correlated to time using Pine's bar_index variable. Also, this is in fact two separate correlation indicators with independent period adjustments, so I guess you could say this indicator has a dual purpose split personality. My intention was to take standard old correlation and apply a novel approach to it, and see what happens. Either way you use it, I hope you may find it most helpful enough to add to your daily TV tool belt.
You will notice I used the Pine built-in correlation() in combination with my custom function, so it shows they are precisely equal, even when the first two correlation() parameters are reversed on purpose or by accident. Additionally, there's an interesting technique to provide a visually appealing line with two overlapping plot()s combined together. I'm sure many members may find that plotting tactic useful when a bird's nest of plotting is occurring on the overlay pane in some scenarios. One more thing about correlation is it's always confined to +/-1.0 irregardless of time intervals or the asset(s) it is applied to, making it a unique oscillator.
As always, I have included advanced Pine programming techniques that conform to proper "Pine Etiquette". For those of you who are newcomers to Pine Script, this code release may also help you comprehend the "Power of Pine" by employing advanced programming techniques in Pine exhibiting code utilization in a most effective manner. One of the many tricks I applied here was providing floating point number safeties for _correlation(). While it cannot effectively use a floating point number, it won't error out in the event this should occur especially when applying "dominant cycle periods" to it, IF you might attempt this.
 NOTICE:  You may have observed there is a sqrt() custom function and you may be thinking... "Did he just sick and twistedly overwrite the Pine built-in sqrt() function?" The answer is... YES, I am and yes I did! One thing I noticed, is that it does provide slightly higher accuracy precision decimal places compared to the Pine built-in sqrt(). Be forewarned, "MY" sqrt() is technically speaking slower than snail snot compared to the native Pine sqrt(), so I wouldn't advise actually using it religiously in other scripts as a daily habit. It is seemingly doing quite well in combination with these simple calculations without being "sluggish". Lastly, of course you may always just delete the custom sqrt() function,   via Pine Editor, and then the script will still operate flawlessly, yet more efficiently.
 Features List Includes: 
Dark Background - Easily disabled in indicator Settings->Style for "Light" charts or with Pine commenting
AND much, much more... You have the source! 
The comments section below is solely just for commenting and other remarks, ideas, compliments, etc... regarding only this indicator, not others. When available time provides itself, I will consider your inquiries, thoughts, and concepts presented below in the comments section, should you have any questions or comments regarding this indicator. When my indicators achieve more prevalent use by TV members, I may implement more ideas when they present themselves as worthy additions. As always, "Like" it if you simply just like it with a proper thumbs up, and also return to my scripts list occasionally for additional postings. Have a profitable future everyone!
How to avoid repainting when NOT using security()Even when your code does not use  security()  calls, repainting dynamics still come into play in the realtime bar. Script coders and users must understand them and, if they choose to avoid repainting, need to know how to do so. This script demonstrates three methods to avoid repainting when NOT using the  security()  function.
Note that repainting dynamics when  not  using  security()  usually only come into play in the realtime bar, as historical data is fixed and thus cannot cause repainting, except in situations related to stock splits or dividend adjustments.
 For those who don’t want to read 
Configure your alerts to trigger “Once Per Bar Close” and you’re done.
 For those who want to understand 
Put this indicator on a 1 minute or seconds chart with a live symbol. As price changes you will see four of this script’s MAs (all except the two orange ones) move in the realtime bar. You are seeing repainting in action. When the current realtime bar closes and becomes a historical bar, the lines on the historical bars will no longer move, as the bar’s OHLC values are fixed. Note that you may need to refresh your chart to see the correct historical OHLC values, as exchange feeds sometimes produce very slight variations between the end values of the realtime bar and those of the same bar once it becomes a historical bar.
Some traders do not use signals generated by a script but simply want to avoid seeing the lines plotted by their scripts move during the realtime bar. They are concerned with  repainting of the lines .
Other traders use their scripts to evaluate conditions, which they use to either plot markers on the chart, trigger alerts, or both. They may not care about the script’s plotted lines repainting, but do  not  want their markers to appear/disappear on the chart, nor their alerts to trigger for a condition that becomes true during the realtime bar but is no longer true once it closes. Those traders are more concerned with  repainting of signals .
For each of the three methods shown in this script’s code, comments explain if its lines, markers and alerts will repaint or not. Through the  Settings/Inputs  you will be able to control plotting of lines and markers corresponding to each method, as well as experiment with the option, for method 2, of disabling only the lines plotting in the realtime bar while still allowing the markers and alerts to be generated.
An unavoidable fact is that non-repainting lines, markers or alerts are always late compared to repainting ones. The good news is that how late they are will in many cases be insignificant, so that the added reliability of the information they provide will largely offset the disadvantages of waiting.
 Method 1  illustrates the usual way of going about things in a script. Its gray lines and markers will always repaint but repainting of the alerts the marker conditions generate can be avoided by configuring alerts to trigger “Once Per Bar Close”. Because this gray marker repaints, you will occasionally see it appear/disappear during the realtime bar when the gray MAs cross/un-cross.
 Method 2  plots the same MAs as method 1, but in green. The difference is that it delays its marker condition by one bar to ensure it does not repaint. Its lines will normally repaint but its markers will not, as they pop up after the condition has been confirmed on the bar preceding the realtime bar. Its markers appear at the beginning of the realtime bar and will never disappear. When using this method alerts can be configured to trigger “Once Per Bar” so they fire the moment the marker appears on the chart at the beginning of the realtime bar. Note that the delay incurred between methods 1 and 2 is merely the instant between the close of a realtime bar and the beginning of the next one—a delay measured in milliseconds. Method 2 also allows its lines to be hidden in the realtime bar with the corresponding option in the script’s  Settings/Inputs . This will be useful to those wishing to eliminate unreliable lines from the realtime bar. Commented lines in method 2 provide for a 2b option, which is to delay the calculation of the MAs rather than the cross condition. It has the obvious inconvenient of plotting delayed MAs, but may come in handy in some situations.
 Method 3  is not the best solution when using MAs because it uses the open of bars rather than their close to calculate the MAs. While this provides a way of avoiding repainting, it is not ideal in the case of MA calcs but may come in handy in other cases. The orange lines and markers of method 3 will not repaint because the value of  open  cannot change in the realtime bar. Because its markers do not repaint, alerts may be configured using “Once Per Bar”.
Spend some time playing with the different options and looking at how this indicator’s lines plot and behave when you refresh you chart. We hope everything you need to understand and prevent repainting when not using  security()  is there.
 Look first. Then leap.  
Range Bar Gaps DetectorRange Bar Gaps Detector
Overview
The Range Bar Gaps Detector identifies price gaps across multiple range bar sizes (12, 24, 60, and 120) on any trading instrument, helping traders spot potential support/resistance zones or breakout opportunities. Designed for Pine Script v6, this indicator detects gaps on range bars and exports data for use in companion scripts like Range Bar Gaps Overlap, making it ideal for multi-timeframe gap analysis.
Key Features
Multi-Range Gap Detection: Identifies gaps on 12, 24, 60, and 120-range bars, capturing both bullish (gap up) and bearish (gap down) price movements.
Customizable Sensitivity: Includes a user-defined minimum deviation (default: 10% of 14-period SMA) for 12-range gaps to filter out noise.
7-Day Lookback: Automatically prunes gaps older than 7 days to focus on recent, relevant price levels.
Data Export: Serializes up to 10 gaps per range (tops, bottoms, start bars, highest/lowest prices, and age) for seamless integration with overlap analysis scripts.
Debugging Support: Plots gap counts and aggregation data in the Data Window for easy verification of detected gaps.
How It Works
The indicator aggregates price movements to simulate higher range bars (24, 60, 120) from a base range bar chart. It detects gaps when the price jumps significantly between bars, ensuring gaps meet the minimum deviation threshold for 12-range bars. Gaps are stored in arrays, serialized for external use, and pruned after 7 days to maintain efficiency.
Usage
Add to your range bar chart (e.g., 12-range) to detect gaps across multiple ranges.
Use alongside the Range Bar Gaps Overlap indicator to visualize gaps and their overlaps as boxes on the chart.
Check the Data Window to confirm gap counts and sizes for each range (12, 24, 60, 120).
Adjust the "Minimal Deviation (%) for 12-Range" input to control gap detection sensitivity.
Settings
Minimal Deviation (%) for 12-Range: Set the minimum gap size for 12-range bars (default: 10% of 14-period SMA).
Range Sizes: Fixed at 24, 60, and 120 for higher range bar aggregation.
Notes
Ensure the script is published under your TradingView username (e.g., GreenArrow2005) for use with companion scripts.
Best used on range bar charts to maintain consistent gap detection.
For advanced overlap analysis, pair with the Range Bar Gaps Overlap indicator to highlight zones where gaps from different ranges align.
Ideal For
Traders seeking to identify key price levels for support/resistance or breakout strategies.
Multi-timeframe analysts combining gap data across various range bar sizes.
Developers building custom indicators that leverage gap data for advanced charting.
Watchlist & Symbols Distribution [Daveatt]TLDR;
I got bored so I just coded the TradingView watchlist interface in Pinescript :)
TLDR 2:
Sharing it open-source what took me 1 full day to code - haven't coded in Pinescript in a long time, so I'm a bit slow for now :)
 █ OVERVIEW 
This script offers a comprehensive market analysis tool inspired by TradingView's native watchlist interface features. 
It combines an interactive watchlist with powerful distribution visualization capabilities and a performance comparison panel. 
The script was developed with a focus on providing multiple visualization methods while working within PineScript's limitations.
 █ DEVELOPMENT BACKGROUND 
The pie chart implementation was greatly inspired by the ( "Crypto Map Dashboard" script / )
adapting its circular visualization technique to create dynamic distribution charts. However, due to PineScript's 500-line limitation per script, I had to optimize the code to allow users to switch between pie chart analysis and performance comparison modes rather than displaying both simultaneously.
 █ SETUP AND DISPLAY 
For optimal visualization, users need to adjust the chart's display settings manually. 
This involves:
Expanding the indicator window vertically to accommodate both the watchlist and graphical elements
Adjusting the Y-axis scale by dragging it to ensure proper spacing for the comparison panel grid
Modifying the X-axis scale to achieve the desired time window display
Fine-tuning these adjustments whenever switching between pie chart and comparison panel modes
These manual adjustments are necessary due to PineScript's limitations in controlling chart scaling programmatically. While this requires some initial setup, it allows users to customize the display to their preferred viewing proportions.
 █ MAIN FEATURES 
 Distribution Analysis 
The script provides three distinct distribution visualization modes through a pie chart. 
Users can analyze their symbols by exchanges, asset types (such as Crypto, Forex, Futures), or market sectors. 
 If you can't see it well at first, adjust your chart scaling until it's displayed nicely. 
Asset Exchanges
 www.tradingview.com 
Asset Types
  
Asset Sectors
  
The pie charts feature an optional 3D effect with adjustable depth and angle parameters. To enhance visual customization, four different color schemes are available: Default, Pastel, Dark, and Neon. 
  
Each segment of the pie chart includes interactive tooltips that can be configured to show different levels of detail. Importantly, the pie chart only visualizes the distribution of selected assets (those marked with a checkmark in the watchlist), providing a focused view of the user's current interests.
 Interactive Watchlist 
The watchlist component displays real-time data for up to 10 user-defined symbols. Each entry shows current price, price changes (both absolute and percentage), volume metrics, and a comparison toggle. 
The table is dynamically updated and features color-coded entries that correspond to their respective performance lines in the comparison chart. The watchlist serves as both an information display and a control panel for the comparison feature.
  
Performance Comparison
One of the script's most innovative features is its performance comparison panel. 
Using polylines for smooth visualization, it tracks the 30-day performance of selected symbols relative to a 0% baseline. 
The comparison chart includes a sophisticated grid system with 5% intervals and a dynamic legend showing current performance values.
  
 
The polyline implementation allows for fluid, continuous lines that accurately represent price movements, providing a more refined visual experience than traditional line plots. Like the pie charts, the comparison panel only displays performance lines for symbols that have been selected in the watchlist, allowing users to focus on their specific assets of interest.
 █ TECHNICAL IMPLEMENTATION 
The script utilizes several advanced PineScript features:
 
 Dynamic array management for symbol tracking
 Polyline-based charting for smooth performance visualization
 Real-time data processing with security calls
 Interactive tooltips and labels
 Optimized drawing routines to maintain performance
 Selective visualization based on user choices
 
 █ CUSTOMIZATION 
Users can personalize almost every aspect of the script:
 
 Symbol selection and comparison preferences
 Visual theme selection with four distinct color schemes
 Pie chart dimensions and positioning
 Tooltip information density
 Component visibility toggles
 
 █ LIMITATIONS 
The primary limitation stems from PineScript's 500-line restriction per script. 
This constraint necessitated the implementation of a mode-switching system between pie charts and the comparison panel, as displaying both simultaneously would exceed the line limit. Additionally, the script relies on manual chart scale adjustments, as PineScript doesn't provide direct control over chart scaling when overlay=false is enabled.
However, these limitations led to a more focused and efficient design approach that gives users control over their viewing experience.
 █ CONCLUSION 
All those tools exist in the native TradingView watchlist interface and they're better than what I just did.
However, now it exists in Pinescript... so I believe it's a win lol :)
Futures Risk CalculatorFutures Risk Calculator Script - Description
The Futures Risk Calculator (FRC) is a comprehensive tool designed to help traders effectively manage risk when trading futures contracts. This script allows users to calculate risk/reward ratios directly on the chart by specifying their entry price and stop loss. It's an ideal tool for futures traders who want to quantify their potential losses and gains with precision, based on their trading account size and the number of contracts they trade.
 What the Script Does: 
 1. Risk and Reward Calculation: 
 
  The script calculates your total risk in dollars and as a percentage of your account size based on the entry and stop-loss prices you input.
  It also calculates two key levels where potential reward (Take Profit 1 and Take Profit 2) can be expected, helping you assess the reward-to-risk ratio for any trade.
 
 2. Customizable Settings: 
 
  You can specify the size of your trading account (available $ for Futures trading) and the number of futures contracts you're trading. This allows for tailored risk management that reflects your exact trading conditions.
 
 3. Live Chart Integration: 
 
  You add the script to your chart after opening a futures chart in TradingView. Simply click on the chart to set your Entry Price and Stop Loss. The script will instantly calculate and display the risk and reward levels based on the points you set.
  Adjusting the entry and stop-loss points later is just as easy: drag and drop the levels directly on the chart, and the risk and reward calculations update automatically.
 
 4.	Futures Contract Support: 
 
  The script is pre-configured with a list of popular futures symbols (like ES, NQ, CL, GC, and more). If your preferred futures contract isn’t in the list, you can easily add it by modifying the script.
  The script uses each symbol’s point value to ensure precise risk calculations, providing you with an accurate dollar risk and potential reward based on the specific contract you're trading.
 
 How to Use the Script: 
 1. Apply the Script to a Futures Chart: 
 
  Open a futures contract chart in TradingView.
  Add the Futures Risk Calculator (FRC) script as an indicator.
 
 2. Set Entry and Stop Loss: 
 
  Upon applying the script, it will prompt you to select your entry price by clicking the chart where you plan to enter the market.
  Next, click on the chart to set your stop-loss level.
  The script will then calculate your total risk in dollars and as a percentage of your account size.
 
 3. View Risk, Reward, and (Take Profit): 
 
  You can immediately see visual lines representing your entry, stop loss, and the calculated reward-to-risk ratio levels (Take Profit 1 and Take Profit 2).
  If you want to adjust the entry or stop loss after plotting them, simply move the points on 
the chart, and the script will recalculate everything for you.
 
 4. Configure Account and Contracts: 
 
  In the script settings, you can enter your account size and adjust the number of contracts you are trading. These inputs allow the script to calculate risk in monetary terms and as a percentage, making it easier to manage your risk effectively.
 
 5. Understand the Information in the Table: 
Once you apply the script, a table will appear in the top-right corner of your chart, providing you with key information about your futures contract and the trade setup. Here's what each field represents:
 
  Account Size: Displays your total account value, which you can set in the script's settings.
  Future: Shows the selected futures symbol, along with key details such as its tick size and point value. This gives you a clear understanding of how much one point or tick is worth in dollar terms.
  Entry Price: The exact price at which you plan to enter the trade, displayed in green.
  Stop Loss Price: The price level where you plan to exit the trade if the market moves against you, shown in red.
  Contracts: The number of futures contracts you are trading, which you can adjust in the settings.
  Risk: Highlighted in orange, this field shows your total risk in dollars, as well as the percentage risk based on your account size. This is a crucial value to help you stay within your risk tolerance and manage your trades effectively.
Order Block Overlapping Drawing [TradingFinder]🔵 Introduction 
Technical analysis is a fundamental tool in financial markets, helping traders identify key areas on price charts to make informed trading decisions. The ICT (Inner Circle Trader) style, developed by Michael Huddleston, is one of the most advanced methods in this field. 
It enables traders to precisely identify and exploit critical zones such as Order Blocks, Breaker Blocks, Fair Value Gaps (FVGs), and Inversion Fair Value Gaps (IFVGs).
To streamline and simplify the use of these key areas, a library has been developed in Pine Script, the scripting language for the TradingView platform. This library allows you to automatically detect overlapping zones between Order Blocks and other similar areas, and visually display them on your chart. 
This tool is particularly useful for creating indicators like Balanced Price Range (BPR) and ICT Unicorn Model.
  
🔵 How to Use 
This section explains how to use the Pine Script library. This library assists you in easily identifying and analyzing overlapping areas between Order Blocks and other zones, such as Breaker Blocks and Fair Value Gaps.
To add "Order Block Overlapping Drawing", you must first add the following code to your script.
 import TFlab/OrderBlockOverlappingDrawing/1 
🟣 Inputs 
The library includes the "OBOverlappingDrawing" function, which you can use to detect and display overlapping zones. This function identifies and draws overlapping zones based on the Order Block type, trigger conditions, previous and current prices, and other relevant parameters.
🟣 Parameters 
 OBOverlappingDrawing(OBType , TriggerConditionOrigin, distalPrice_Pre, proximalPrice_Pre , distalPrice_Curr, proximalPrice_Curr, Index_Curr , OBValidGlobal, OBValidDis, MitigationLvL, ShowAll, Show, ColorZone) =>
OBType  (string)
TriggerConditionOrigin (bool)
distalPrice_Pre (float)
proximalPrice_Pre (float)
distalPrice_Curr (float)
proximalPrice_Curr (float)
Index_Curr (int)
OBValidGlobal (bool)
OBValidDis (int)
MitigationLvL (string)
ShowAll (bool)
Show (bool)
ColorZone (color) 
 In this example, various parameters are defined to detect overlapping zones and draw them on the chart. Based on these settings, the overlapping areas will be automatically drawn on the chart.
 OBType : All order blocks are summarized into two types: "Supply" and "Demand." You should input your Current order block type in this parameter. Enter "Demand" for drawing demand zones and "Supply" for drawing supply zones.
 TriggerConditionOrigin : Input the condition under which you want the Current  order block to be drawn in this parameter.
 distalPrice_Pre : Generally, if each zone is formed by two lines, the farthest line from the price is termed Pervious "Distal." This input receives the price of the "Distal" line.
 proximalPrice_Pre : Generally, if each zone is formed by two lines, the nearest line to the price is termed Previous "Proximal" line.
 distalPrice_Curr : Generally, if each zone is formed by two lines, the farthest line from the price is termed Current "Distal." This input receives the price of the "Distal" line.
 proximalPrice_Curr : Generally, if each zone is formed by two lines, the nearest line to the price is termed Current "Proximal" line.
 Index_Curr : This input receives the value of the "bar_index" at the beginning of the order block. You should store the "bar_index" value at the occurrence of the condition for the Current order block to be drawn and input it here.
 OBValidGlobal : This parameter is a boolean in which you can enter the condition that you want to execute to stop drawing the block order. If you do not have a special condition, you should set it to True.
 OBValidDis : Order blocks continue to be drawn until a new order block is drawn or the order block is "Mitigate." You can specify how many candles after their initiation order blocks should continue. If you want no limitation, enter the number 4998.
 MitigationLvL : This parameter is a string. Its inputs are one of "Proximal", "Distal" or "50 % OB" modes, which you can enter according to your needs. The "50 % OB" line is the middle line between distal and proximal.
 ShowAll : This is a boolean parameter, if it is "true" the entire order of blocks will be displayed, and if it is "false" only the last block order will be displayed.
 Show : You may need to manage whether to display or hide order blocks. When this input is "On", order blocks are displayed, and when it's "Off", order blocks are not displayed.
 ColorZone : You can input your preferred color for drawing order blocks.
🟣 Output 
 Mitigation Alerts : This library allows you to leverage Mitigation Alerts to detect specific conditions that could lead to trend reversals. These alerts help you react promptly in your trades, ensuring better management of market shifts.
🔵 Conclusion 
The Pine Script library provided is a powerful tool for technical analysis, especially in the ICT style. It enables you to detect overlapping zones between Order Blocks and other significant areas like Breaker Blocks and Fair Value Gaps, improving your trading strategies. By utilizing this tool, you can perform more precise analysis and manage risks effectively in your trades.
Supertrend Alert with Arrows and Time FilterOverview 
This script is designed to generate trading signals based on the Supertrend indicator, a popular technical analysis tool. The Supertrend indicator is used to identify the direction of the market trend and potential reversal points.
 Supertrend Settings 
The script uses two sets of Supertrend settings:
 Small Supertrend 
 
 Factor: 3.0
 ATR Period: 10
 
 Big Supertrend 
 
 Factor: 10.0
 ATR Period: 30
 
These settings are fixed and should not be altered to maintain the integrity of the signal generation process.
 Configurable Parameters 
 
 startHour: The hour at which signal generation begins.
 endHour: The hour at which signal generation ends.
 
These parameters allow users to focus on specific trading hours, optimizing the signal relevance to their trading strategy.
 Signal Types 
The script generates two types of signals:
 Type 1: Reversal Signal 
 
 Long Signal: Triggered when the big Supertrend is in an uptrend, and the small Supertrend transitions from a downtrend to an uptrend.
 Short Signal: Triggered when the big Supertrend is in a downtrend, and the small Supertrend transitions from an uptrend to a downtrend.
 
 Type 2: Trend Change Signal 
 
 Long Signal: Triggered when the big Supertrend changes from a downtrend to an uptrend.
 Short Signal: Triggered when the big Supertrend changes from an uptrend to a downtrend.
 
 How the Script Works 
 
 Initialization: The script initializes with predefined Supertrend settings.
 Data Input: Market data (e.g., price data) is fed into the script.
 Supertrend Calculation: The script calculates the Supertrend values using the predefined factors and ATR periods.
 Signal Detection: The script monitors the Supertrend values and detects the defined signals based on the conditions mentioned above.
 Time Filtering: Signals are filtered based on the specified startHour and endHour, ensuring only relevant signals are displayed within the desired timeframe.
 Usage 
 Set Parameters: Define startHour and endHour according to your trading schedule.
 Run Script: Execute the script with market data input.
 Interpret Signals: Monitor the generated signals and use them to inform your trading decisions.
 Originality 
 Dual Supertrend Usage: The use of both a small and a big Supertrend to generate signals adds a layer of complexity and reliability to the signals.
 Time-Based Filtering: Allows traders to focus on specific trading hours, enhancing the relevance and accuracy of signals.
 Two Signal Types: The combination of reversal signals and trend change signals provides comprehensive market insights.
 
 Conclusion 
This Supertrend Signal Generator is a robust tool for traders seeking to leverage the Supertrend indicator for more informed trading decisions. By combining dual Supertrend settings and configurable trading hours, the script offers unique and flexible signal generation capabilities.
Pro Trading Art - Head And ShouldersHow the Script Works: 
1. The script identifies potential Head and Shoulders patterns by searching for specific pivot highs and pivot lows in the price data.
2. It checks for the presence of a left shoulder, head, and right shoulder based on the conditions defined in the script.
3. If a valid Head and Shoulders pattern is found, the script plots lines and labels on the chart to visualize the pattern.
4. The script also identifies Inverted Head and Shoulders patterns using similar logic but with different conditions.
5. It plots lines and labels for the Inverted Head and Shoulders pattern.
6. The script generates short and long conditions based on the patterns. Short conditions trigger when the close price crosses below the neck level of a Head and Shoulders pattern, while long conditions trigger when the close price crosses above the neck level of an Inverted Head and Shoulders pattern.
7. It plots sell and buy signal shapes on the chart when the short and long conditions are met, respectively.
8. The script can also trigger alerts to notify the user when a valid Head and Shoulders or Inverted Head and Shoulders pattern is detected.
9. The script provides visual cues on the chart to help users identify potential trading opportunities.
10. The logic and parameters of the script can be modified by the user to customize the behavior and adapt it to different trading strategies.
 How Users Can Make Profit Using This Script: 
1. Identify potential short-selling opportunities: When a valid Head and Shoulders pattern is detected and a short condition is met, it indicates a potential trend reversal. Traders can consider opening short positions to profit from a downward price movement.
2. Identify potential long-buying opportunities: When a valid Inverted Head and Shoulders pattern is detected and a long condition is met, it suggests a potential trend reversal. Traders can consider opening long positions to profit from an upward price movement.
3. Combine with additional analysis: Users can utilize this script as a tool in their overall trading strategy. They can combine the signals generated by the script with other technical indicators, fundamental analysis, or market sentiment to make more informed trading decisions.
4. Define appropriate entry and exit points: Traders can use the lines and labels plotted by the script to determine entry and exit points for their trades. For example, they may choose to enter a short position after the price crosses below the neck level and exit when the price reaches a predetermined target or when the pattern is invalidated.
5. Set risk management measures: It is important for users to implement proper risk management strategies when trading based on the script's signals. They should define stop-loss orders to limit potential losses if the trade goes against them and consider setting profit targets to secure profits when the trade moves in their favor.
ZigZag█   OVERVIEW 
This library is a Pine Script™ programmer’s tool containing custom  user-defined types  and functions to calculate Zig Zag indicators within their scripts. It is not a stand-alone indicator.
Pine Script™ libraries are publications that contain reusable code for importing into Pine Script™ indicators, strategies, and other libraries. For more information on libraries and incorporating them into your scripts, see the  Libraries  section of the Pine Script™  User Manual .
█   CONCEPTS 
 Zig Zag 
 Zig Zag  is a popular indicator that filters out minor price fluctuations to denoise data and emphasize trends. Traders commonly use Zig Zag for trend confirmation, identifying potential support and resistance, and pattern detection. It is formed by identifying significant local high and low points in alternating order and connecting them with straight lines, omitting all other data points from their output. There are several ways to calculate the Zig Zag's data points and the conditions by which its direction changes. This script uses pivots as the data points, which are the highest or lowest values over a defined number of bars before and after them. The direction only reverses when a newly formed pivot deviates from the last Zig Zag point in the opposite direction by an amount greater than or equal to a specified percentage.
To learn more about Zig Zag and how to calculate it, see  this  entry from the Help Center.
█  FOR Pine Script™ CODERS 
 Notes 
This script's architecture utilizes  user-defined types  (UDTs) to create custom  objects  which are the equivalent of variables containing multiple parts, each able to hold independent values of different   types . UDTs are the newest addition to Pine Script™ and the most advanced feature the language has seen to date. The feature's introduction creates a new runway for experienced coders to push the boundaries of Pine. We recommend that newcomers to the language explore the basics first before diving into UDTs and objects. 
 Demonstration Code 
Our example code shows a simple use case by displaying a Zig Zag with user-defined settings. A new ZigZag object is instantiated on the first bar using a Settings object to control its attributes. The   fields  for the Settings object are declared using variables assigned to  input.*  functions, allowing control of the field values from the script's settings. The `update()` function is invoked on each bar to update the ZigZag object's fields and create new  lines  and  labels  when required.
 Look first. Then leap.  
█  TYPES  
This library contains the following types:
 Settings 
  Provides calculation and display attributes to ZigZag objects.
  Fields:
     devThreshold : The minimum percentage deviation from a point before the ZigZag will change direction. 
     depth : The number of bars required for pivot detection. 
     lineColor : Line color. 
     extendLast : Condition allowing a line to connect the most recent pivot with the current close. 
     displayReversalPrice : Condition to display the pivot price in the pivot label. 
     displayCumulativeVolume : Condition to display the cumulative volume for the pivot segment in the pivot label. 
     displayReversalPriceChange : Condition to display the change in price or percent from the previous pivot in the pivot label. 
     differencePriceMode : Reversal change display mode. Options are "Absolute" or "Percent". 
     draw : Condition to display lines and labels.
 Point 
  A coordinate containing time and price information.
  Fields:
     tm : A value in UNIX time. 
     price : A value on the Y axis (price).
 Pivot 
  A level of significance used to determine directional movement or potential support and resistance.
  Fields:
     ln : A line object connecting the `start` and `end` Point objects. 
     lb : A label object to display pivot values. 
     isHigh : A condition to determine if the pivot is a pivot high. 
     vol : Volume for the pivot segment. 
     start : The coordinate of the previous Point.
     end : The coordinate of the current Point.
 ZigZag 
  An object to maintain Zig Zag settings, pivots, and volume.
  Fields:
     settings : Settings object to provide calculation and display attributes.
     pivots : An array of Pivot objects. 
     sumVol : The volume sum for the pivot segment. 
     extend : Pivot object used to project a line from the last pivot to the last bar.
█  FUNCTIONS  
This library contains the following functions:
 lastPivot(this) 
  Returns the last Pivot of `this` ZigZag if there is at least one Pivot to return, and `na` otherwise.
  Parameters:
     this : (series ZigZag) A ZigZag object. 
  Returns: (Pivot) The last Pivot in the ZigZag.
 update(this) 
  Updates `this` ZigZag object with new pivots, volume, lines, labels.
  Parameters:
     this : (series ZigZag) a ZigZag object.         
  Returns: (bool) true if a new Zig Zag line is found or the last Zig Zag line has changed.
 newInstance(settings) 
  Instantiates a new ZigZag object with `settings`. If no settings are provided, a default ZigZag object is created.
  Parameters:
     settings : (series Settings) A Settings object. 
  Returns: (ZigZag) A new ZigZag instance.






















