yaralyzer 0.9.3__py3-none-any.whl → 0.9.4__py3-none-any.whl

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.

Potentially problematic release.


This version of yaralyzer might be problematic. Click here for more details.

.yaralyzer.example CHANGED
@@ -12,7 +12,7 @@
12
12
  # Expand the width of the output to the fit the display window (same as the --maximize-width options)
13
13
  # YARALYZER_MAXIMIZE_WIDTH=True
14
14
 
15
- # Passed through to yara.set_config as the stack_size and
15
+ # Passed through to yara.set_config() as the stack_size and max_match_data arguments
16
16
  # YARALYZER_STACK_SIZE=10485760
17
17
  # YARALYZER_MAX_MATCH_LENGTH=10737418240
18
18
 
CHANGELOG.md CHANGED
@@ -1,5 +1,8 @@
1
1
  # NEXT RELEASE
2
2
 
3
+ ### 0.9.4
4
+ * Bump `yara-python` to 4.3.0+ and deal with backwards incompatibility
5
+
3
6
  ### 0.9.3
4
7
  * Lock `yara-python` at 4.2.3 bc 4.3.x causes problems
5
8
 
yaralyzer/bytes_match.py CHANGED
@@ -10,6 +10,7 @@ from typing import Iterator, Optional
10
10
 
11
11
  from rich.table import Table
12
12
  from rich.text import Text
13
+ from yara import StringMatch, StringMatchInstance
13
14
 
14
15
  from yaralyzer.config import YaralyzerConfig
15
16
  from yaralyzer.helpers.rich_text_helper import prefix_with_plain_text_obj
@@ -41,10 +42,10 @@ class BytesMatch:
41
42
  self.label: str = label
42
43
  self.ordinal: int = ordinal
43
44
  self.match: Optional[re.Match] = match
44
- # Maybe should be called "matched_bytes"
45
- self.bytes = matched_against[start_idx:self.end_idx]
45
+ self.bytes = matched_against[start_idx:self.end_idx] # TODO: Maybe should be called "matched_bytes"
46
46
  self.match_groups: Optional[tuple] = match.groups() if match else None
47
47
  self._find_surrounding_bytes()
48
+
48
49
  # Adjust the highlighting start point in case this match is very early in the stream
49
50
  self.highlight_start_idx = start_idx - self.surrounding_start_idx
50
51
  self.highlight_end_idx = self.highlight_start_idx + self.length
@@ -65,14 +66,15 @@ class BytesMatch:
65
66
  cls,
66
67
  matched_against: bytes,
67
68
  rule_name: str,
68
- yara_str: dict,
69
+ yara_str_match: StringMatch,
70
+ yara_str_match_instance: StringMatchInstance,
69
71
  ordinal: int,
70
72
  highlight_style: str = YaralyzerConfig.HIGHLIGHT_STYLE
71
73
  ) -> 'BytesMatch':
72
- """Build a BytesMatch from a yara string match. matched_against is the set of bytes yara was run against"""
73
- # Don't duplicate the labeling if rule_name and yara_str are the same
74
- pattern_label = yara_str[1]
74
+ """Build a BytesMatch from a yara string match. 'matched_against' is the set of bytes yara was run against."""
75
+ pattern_label = yara_str_match.identifier
75
76
 
77
+ # Don't duplicate the labeling if rule_name and yara_str are the same
76
78
  if pattern_label == '$' + rule_name:
77
79
  label = pattern_label
78
80
  else:
@@ -80,8 +82,8 @@ class BytesMatch:
80
82
 
81
83
  return cls(
82
84
  matched_against=matched_against,
83
- start_idx=yara_str[0],
84
- length=len(yara_str[2]),
85
+ start_idx=yara_str_match_instance.offset,
86
+ length=yara_str_match_instance.matched_length,
85
87
  label=label,
86
88
  ordinal=ordinal,
87
89
  highlight_style=highlight_style)
@@ -94,8 +96,20 @@ class BytesMatch:
94
96
  highlight_style: str = YaralyzerConfig.HIGHLIGHT_STYLE
95
97
  ) -> Iterator['BytesMatch']:
96
98
  """Iterator w/a BytesMatch for each string returned as part of a YARA match result dict."""
97
- for i, yara_str in enumerate(yara_match['strings']):
98
- yield(cls.from_yara_str(matched_against, yara_match['rule'], yara_str, i + 1, highlight_style))
99
+ i = 0 # For numbered labeling
100
+
101
+ # yara-python's internals changed with 4.3.0: https://github.com/VirusTotal/yara-python/releases/tag/v4.3.0
102
+ for yara_str_match in yara_match['strings']:
103
+ for yara_str_match_instance in yara_str_match.instances:
104
+ i += 1
105
+
106
+ yield(cls.from_yara_str(
107
+ matched_against,
108
+ yara_match['rule'],
109
+ yara_str_match,
110
+ yara_str_match_instance,
111
+ i,
112
+ highlight_style))
99
113
 
100
114
  def style_at_position(self, idx) -> str:
101
115
  """Get the style for the byte at position idx within the matched bytes"""
yaralyzer/config.py CHANGED
@@ -13,10 +13,9 @@ MEGABYTE = 1024 * KILOBYTE
13
13
 
14
14
  def config_var_name(env_var: str) -> str:
15
15
  """
16
- Get the name of env_var and strip off 'YARALYZER_':
17
-
18
- SURROUNDING_BYTES_ENV_VAR = 'YARALYZER_SURROUNDING_BYTES'
19
- config_var_name(SURROUNDING_BYTES_ENV_VAR) => 'SURROUNDING_BYTES'
16
+ Get the name of env_var and strip off 'YARALYZER_', e.g.:
17
+ SURROUNDING_BYTES_ENV_VAR = 'YARALYZER_SURROUNDING_BYTES'
18
+ config_var_name(SURROUNDING_BYTES_ENV_VAR) => 'SURROUNDING_BYTES'
20
19
  """
21
20
  env_var = env_var.removeprefix("YARALYZER_")
22
21
  return f'{env_var=}'.partition('=')[0]
@@ -71,7 +70,7 @@ class YaralyzerConfig:
71
70
  ]
72
71
 
73
72
  @classmethod
74
- def set_argument_parser(cls, parser):
73
+ def set_argument_parser(cls, parser: ArgumentParser) -> None:
75
74
  cls._argument_parser: ArgumentParser = parser
76
75
  cls._argparse_keys: List[str] = sorted([action.dest for action in parser._actions])
77
76
 
@@ -93,7 +92,7 @@ class YaralyzerConfig:
93
92
  if isinstance(arg_value, bool):
94
93
  setattr(args, option, arg_value or is_env_var_set_and_not_false(env_var))
95
94
  elif isinstance(arg_value, (int, float)):
96
- # Check against defaults to avoid overriding env var configured optoins
95
+ # Check against defaults to avoid overriding env var configured options
97
96
  if arg_value == default_value and env_value is not None:
98
97
  setattr(args, option, int(env_value) or arg_value) # TODO: float args not handled
99
98
  else:
@@ -1,6 +1,9 @@
1
1
  from functools import partial
2
2
  from typing import Any, Callable, List
3
3
 
4
+ INDENT_DEPTH = 4
5
+ INDENT_SPACES = INDENT_DEPTH * ' '
6
+
4
7
 
5
8
  def escape_yara_pattern(pattern: str) -> str:
6
9
  return pattern.replace('/', '\\/')
@@ -161,7 +161,7 @@ export = parser.add_argument_group(
161
161
  'FILE EXPORT',
162
162
  "Multiselect. Choosing nothing is choosing nothing. Sends what you see on the screen to various file " + \
163
163
  "formats in parallel. Writes files to the current directory if --output-dir is not provided. " + \
164
- "Filenames are expansion of the scanned filename though you can use --file-prefix to make your " +
164
+ "Filenames are expansions of the scanned filename though you can use --file-prefix to make your " +
165
165
  "filenames more unique and beautiful to their beholder.")
166
166
 
167
167
  export.add_argument('-svg', '--export-svg',
@@ -8,12 +8,13 @@ Rich text decorator for YARA match dicts, which look like this:
8
8
  'rule': 'my_rule',
9
9
  'meta': {},
10
10
  'strings': [
11
- (81L, '$a', 'abc'),
12
- (141L, '$b', 'def')
11
+ StringMatch1,
12
+ StringMatch2
13
13
  ]
14
14
  }
15
15
  """
16
16
  import re
17
+ from copy import deepcopy
17
18
  from numbers import Number
18
19
  from typing import Any, Dict
19
20
 
@@ -21,9 +22,11 @@ from rich.console import Console, ConsoleOptions, RenderResult
21
22
  from rich.padding import Padding
22
23
  from rich.panel import Panel
23
24
  from rich.text import Text
25
+ from yara import StringMatch
24
26
 
25
27
  from yaralyzer.helpers.bytes_helper import clean_byte_string
26
28
  from yaralyzer.helpers.rich_text_helper import CENTER
29
+ from yaralyzer.helpers.string_helper import INDENT_SPACES
27
30
  from yaralyzer.output.rich_console import console_width, theme_colors_with_prefix
28
31
  from yaralyzer.util.logging import log
29
32
 
@@ -56,16 +59,16 @@ class YaraMatch:
56
59
 
57
60
  def __rich_console__(self, _console: Console, options: ConsoleOptions) -> RenderResult:
58
61
  """Renders a panel showing the color highlighted raw YARA match info."""
59
- yield(Text("\n"))
62
+ yield Text("\n")
60
63
  yield Padding(Panel(self.label, expand=False, style=f"on color(251) reverse"), MATCH_PADDING)
61
- yield(RAW_YARA_THEME_TXT)
64
+ yield RAW_YARA_THEME_TXT
62
65
  yield Padding(Panel(_rich_yara_match(self.match)), MATCH_PADDING)
63
66
 
64
67
 
65
68
  def _rich_yara_match(element: Any, depth: int = 0) -> Text:
66
- """Mildly painful/hacky way of coloring a yara result hash."""
67
- indent = Text((depth + 1) * 4 * ' ')
68
- end_indent = Text(depth * 4 * ' ')
69
+ """Painful/hacky way of recursively coloring a yara result hash."""
70
+ indent = Text((depth + 1) * INDENT_SPACES)
71
+ end_indent = Text(depth * INDENT_SPACES)
69
72
 
70
73
  if isinstance(element, str):
71
74
  txt = _yara_string(element)
@@ -79,6 +82,17 @@ def _rich_yara_match(element: Any, depth: int = 0) -> Text:
79
82
  if len(element) == 0:
80
83
  txt = Text('[]', style='white')
81
84
  else:
85
+ if isinstance(element[0], StringMatch):
86
+ # In yara-python 4.3.0 the StringMatch type was introduced so we just make it look like
87
+ # the old list of tuples format (see: https://github.com/VirusTotal/yara-python/releases/tag/v4.3.0)
88
+ match_tuples = [
89
+ (match.identifier, match_instance.offset, match_instance.matched_data)
90
+ for match in element
91
+ for match_instance in match.instances
92
+ ]
93
+
94
+ return _rich_yara_match(match_tuples, depth)
95
+
82
96
  total_length = sum([len(str(e)) for e in element]) + ((len(element) - 1) * 2) + len(indent) + 2
83
97
  elements_txt = [_rich_yara_match(e, depth + 1) for e in element]
84
98
  list_txt = Text('[', style='white')
yaralyzer/yaralyzer.py CHANGED
@@ -30,6 +30,7 @@ from yaralyzer.yara.yara_match import YaraMatch
30
30
  from yaralyzer.yara.yara_rule_builder import yara_rule_string
31
31
 
32
32
  YARA_EXT = 'yara'
33
+ YARA_FILE_DOES_NOT_EXIST_ERROR_MSG = "is not a valid yara rules file (it doesn't exist)"
33
34
 
34
35
 
35
36
  # TODO: might be worth introducing a Scannable namedtuple or similar
@@ -93,7 +94,7 @@ class Yaralyzer:
93
94
 
94
95
  for file in yara_rules_files:
95
96
  if not path.exists(file):
96
- raise ValueError(f"'{file}' is not a valid yara rules file (it doesn't exist)")
97
+ raise ValueError(f"'{file}' {YARA_FILE_DOES_NOT_EXIST_ERROR_MSG}")
97
98
 
98
99
  filepaths_arg = {path.basename(file): file for file in yara_rules_files}
99
100
  yara_rules = yara.compile(filepaths=filepaths_arg)
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.1
2
2
  Name: yaralyzer
3
- Version: 0.9.3
3
+ Version: 0.9.4
4
4
  Summary: Visualize and force decode YARA and regex matches found in a file or byte stream. With colors. Lots of colors.
5
5
  Home-page: https://github.com/michelcrypt4d4mus/yaralyzer
6
6
  License: GPL-3.0-or-later
@@ -19,14 +19,14 @@ Requires-Dist: chardet (>=5.0.0,<6.0.0)
19
19
  Requires-Dist: python-dotenv (>=0.21.0,<0.22.0)
20
20
  Requires-Dist: rich (>=12.5.1,<13.0.0)
21
21
  Requires-Dist: rich-argparse-plus (>=0.3.1,<0.4.0)
22
- Requires-Dist: yara-python (>=4.2.3,<4.3.0)
22
+ Requires-Dist: yara-python (>=4.3.0,<5.0.0)
23
23
  Project-URL: Documentation, https://github.com/michelcrypt4d4mus/yaralyzer
24
24
  Project-URL: Repository, https://github.com/michelcrypt4d4mus/yaralyzer
25
25
  Description-Content-Type: text/markdown
26
26
 
27
27
  <!-- ![Tests](https://img.shields.io/github/workflow/status/michelcrypt4d4mus/yaralyzer/tests?label=tests) -->
28
28
  ![Python Version](https://img.shields.io/pypi/pyversions/yaralyzer)
29
- ![Release](https://img.shields.io/github/v/release/michelcrypt4d4mus/yaralyzer?sort=semver)
29
+ ![Release](https://img.shields.io/pypi/v/yaralyzer)
30
30
  ![Downloads](https://img.shields.io/pypi/dm/yaralyzer)
31
31
 
32
32
  # THE YARALYZER
@@ -52,8 +52,8 @@ yaralyze --hex-pattern 'd0 93 d0 a3 d0 [-] 9b d0 90 d0 93' one_day_in_the_life_o
52
52
  #### What It Do
53
53
  1. **See the actual bytes your YARA rules are matching.** No more digging around copy/pasting the start positions reported by YARA into your favorite hex editor. Displays both the bytes matched by YARA as well as a configurable number of bytes before and after each match in hexadecimal and "raw" python string representation.
54
54
  1. **Do the same for byte patterns and regular expressions without writing a YARA file.** If you're too lazy to write a YARA file but are trying to determine, say, whether there's a regular expression hidden somewhere in the file you could scan for the pattern `'/.+/'` and immediately get a window into all the bytes in the file that live between front slashes. Same story for quotes, BOMs, etc. Any regex YARA can handle is supported so the sky is the limit.
55
- 1. **Detect the possible encodings of each set of matched bytes.** [The `chardet` library](https://github.com/chardet/chardet) is a sophisticated library for guessing character encodings and it is leveraged here.
56
- 1. **Display the result of forcing various character encodings upon the matched areas.** Several default character encodings will be _forcibly_ attempted in the region around the match. [`chardet`](https://github.com/chardet/chardet) will also be leveraged to see if the bytes fit the pattern of _any_ known encoding. If `chardet` is confident enough (configurable), an attempt at decoding the bytes using that encoding will be displayed.
55
+ 1. **Detect the possible encodings of each set of matched bytes.** [`chardet`](https://github.com/chardet/chardet) is a sophisticated library for guessing character encodings and it is leveraged here.
56
+ 1. **Display the result of forcing various character encodings upon the matched areas.** Several default character encodings will be _forcibly_ attempted in the region around the match. [`chardet`](https://github.com/chardet/chardet) will also be leveraged to see if the bytes fit the pattern of _any_ known encoding. If `chardet` is confident enough (configurable) an attempt at decoding the bytes using that encoding will be displayed.
57
57
  1. **Export the matched regions/decodings to SVG, HTML, and colored text files.** Show off your ASCII art.
58
58
 
59
59
  #### Why It Do
@@ -87,7 +87,7 @@ Run `yaralyze -h` to see the command line options (screenshot below).
87
87
  For info on exporting SVG images, HTML, etc., see [Example Output](#example-output).
88
88
 
89
89
  ### Configuration
90
- If you place a filed called `.yaralyzer` in your home directory or the current working directory then environment variables specified in that `.yaralyzer` file will be added to the environment each time yaralyzer is invoked. This provides a mechanism for permanently configuring various command line options so you can avoid typing them over and over. See the example file [`.yaralyzer.example`](.yaralyzer.example) to see which options can be configured this way.
90
+ If you place a file called `.yaralyzer` in your home directory or the current working directory then environment variables specified in that `.yaralyzer` file will be added to the environment each time yaralyzer is invoked. This provides a mechanism for permanently configuring various command line options so you can avoid typing them over and over. See the example file [`.yaralyzer.example`](.yaralyzer.example) to see which options can be configured this way.
91
91
 
92
92
  Only one `.yaralyzer` file will be loaded and the working directory's `.yaralyzer` takes precedence over the home directory's `.yaralyzer`.
93
93
 
@@ -131,6 +131,7 @@ The Yaralyzer can export visualizations to HTML, ANSI colored text, and SVG vect
131
131
 
132
132
 
133
133
  # TODO
134
+ * For some reason when displaying matches the output to a file iterates over all matches in a different way than just running in the console. Presumably this is related to the `rich` rendering engine in some way. For now the console output is the "more correct" one so it's generally OK. See [`issue_with_output_to_console_correct`](doc/rendered_images/issue_with_output_to_console_correct.png) vs. [`doc/rendered_images/issue_with_output_to_txt_file_incorrect.png`](doc/rendered_images/issue_with_output_to_txt_file_incorrect.png)
134
135
  * highlight decodes done at `chardet`s behest
135
136
  * deal with repetitive matches
136
137
 
@@ -1,8 +1,8 @@
1
- .yaralyzer.example,sha256=Bp38fkp3rQ1_iFTkH51vlMQEGHE3x66rzwHQGCr-TS0,3610
2
- CHANGELOG.md,sha256=iZKRHngWDLs8Y0_1lCmQRlJ8pr1HofJQjXAeRm56e4s,1842
1
+ .yaralyzer.example,sha256=004RNeAXrI_fAvBSomfI4eI4cs6zooXy_YdmkYRMRks,3637
2
+ CHANGELOG.md,sha256=4laMKKz_0uJCSO2RoZSUkdHxqqiJFGw0HmkMZHMVXtA,1924
3
3
  yaralyzer/__init__.py,sha256=sU2sN1lizcfxUg4vghz_L3OUwi7sWXGvNinE_tJCa4Y,2616
4
- yaralyzer/bytes_match.py,sha256=HaFxaSqtzvBUFXwXxuBATxPM_krG7WY1oEMFXwE5KrY,7011
5
- yaralyzer/config.py,sha256=ucKA1F4NqiSUBRDbINYjm0QqbXJjLmELKdpgmyajghs,3693
4
+ yaralyzer/bytes_match.py,sha256=6QeW1Zk9DpNQ9ks-ixnQZ-clqT8qwB2FKsmH3nmxcYI,7583
5
+ yaralyzer/config.py,sha256=eRJ88wBFs1rfjOv4htI1Ye0LFCFfk4kGDiFHuqZfkX0,3730
6
6
  yaralyzer/decoding/bytes_decoder.py,sha256=lulfZZhYmo9ky2KpqBW-c9hs5_uhlaz0gatdtT_NYSY,7951
7
7
  yaralyzer/decoding/decoding_attempt.py,sha256=GAxMNOX7I_FsuzGWIelTWAECytLUJD-wpmUAuVe2bn0,7241
8
8
  yaralyzer/encoding_detection/character_encodings.py,sha256=zrOUgNXwrcXkeYSgdo09vsFPmNYsTkaHvq7YzzpbMsk,4395
@@ -12,19 +12,19 @@ yaralyzer/helpers/bytes_helper.py,sha256=nq2FOUVfZNO2XYAzFQ364cZ8mw70hxP9fyncQwU
12
12
  yaralyzer/helpers/dict_helper.py,sha256=h8Sg01qCJRKfZ0bmTYhLP6X5OVxMg-7CZryJIjcbw8E,211
13
13
  yaralyzer/helpers/file_helper.py,sha256=ytPOE_Zel2fk7g39eCTTHG1W3SYgkEpro9tNrd2TDxU,1196
14
14
  yaralyzer/helpers/rich_text_helper.py,sha256=9Wc6WM625iKxAXRvxBkVzvszfcxb8YtqoQ6d7d8EqoQ,4218
15
- yaralyzer/helpers/string_helper.py,sha256=0dzHuHQJhhHH7t2pTlDF71_xJpK4TdtFV8LeQDny0j0,834
15
+ yaralyzer/helpers/string_helper.py,sha256=UEMi1fnoURZHmzE-Sgbe5ndUPRHgHiH-opeJ6Z-n48k,887
16
16
  yaralyzer/output/decoding_attempts_table.py,sha256=cMY9eCXZHj0FfGxJ9uoM5cpdhQve-EtTRHv3fTHKJAo,3712
17
17
  yaralyzer/output/file_export.py,sha256=B8sS64J_pUTxBj5Souc12eStFa9ihRFnYGdJ1j8xz9g,2270
18
18
  yaralyzer/output/file_hashes_table.py,sha256=v_GH5dIZwUJurHfEk-Fs3FlTXL68CLSPm1xqWGiCeNY,1608
19
19
  yaralyzer/output/regex_match_metrics.py,sha256=deJPaVnhpy-AUX6PCE_jbPLIlmfIOtl-cEVWsiFp3KY,3003
20
20
  yaralyzer/output/rich_console.py,sha256=LpHBhiJ3I20x_QIi6Ipaa8q2WWONMv_Jbs3rhgsT_mc,3682
21
- yaralyzer/util/argument_parser.py,sha256=88lBcM98wP2DLAKq31QwSUsQhGZlThjxK9KbXike_Bc,12551
21
+ yaralyzer/util/argument_parser.py,sha256=Ka57PMyuLZj2umgBSJd435DsVmPzgRAWUlRuaHhoTWM,12552
22
22
  yaralyzer/util/logging.py,sha256=3qtLnCFbN8L1nTSwIQvxfcM5jfhIRWTFZj9XGQk74kc,4326
23
- yaralyzer/yara/yara_match.py,sha256=ql3myrpr7uiUH93ZdUKdLOK3oxGmY2_hJyTVxw01hDk,4453
23
+ yaralyzer/yara/yara_match.py,sha256=qR8GNnmHiN-SzNwkWYcJa1Kb6RQUeNtcjpjccoI8wIQ,5145
24
24
  yaralyzer/yara/yara_rule_builder.py,sha256=kAa3RBojM5GEaXDJjKZODAyx6yj34AlkOnQhACAFfZM,3021
25
- yaralyzer/yaralyzer.py,sha256=K0XIl0EL9Kv2WHubc1Px7Jvrn-Xm48fiVQ4nlUKfUTc,9180
26
- yaralyzer-0.9.3.dist-info/LICENSE,sha256=OXLcl0T2SZ8Pmy2_dmlvKuetivmyPd5m1q-Gyd-zaYY,35149
27
- yaralyzer-0.9.3.dist-info/METADATA,sha256=FumYPXADt8uTVh9Ktp1EnnLHyVk2GDOPXeg4wxWuFn4,10282
28
- yaralyzer-0.9.3.dist-info/WHEEL,sha256=7Z8_27uaHI_UZAc4Uox4PpBhQ9Y5_modZXWMxtUi4NU,88
29
- yaralyzer-0.9.3.dist-info/entry_points.txt,sha256=7LnLJrNTfql0vuctjRWwp_ZD-BYvtv9ENVipdjuT7XI,136
30
- yaralyzer-0.9.3.dist-info/RECORD,,
25
+ yaralyzer/yaralyzer.py,sha256=HedtLt5z4jZsolzJQ96yaJttFI7kl4R1Y9sUM_ZG-F4,9256
26
+ yaralyzer-0.9.4.dist-info/LICENSE,sha256=OXLcl0T2SZ8Pmy2_dmlvKuetivmyPd5m1q-Gyd-zaYY,35149
27
+ yaralyzer-0.9.4.dist-info/METADATA,sha256=M1VnVpBiuhB_-ORYBckFKM2rjUXWAF0GpzkWxhUKbVk,10760
28
+ yaralyzer-0.9.4.dist-info/WHEEL,sha256=d2fvjOD7sXsVzChCqf0Ty0JbHKBaLYwDbGQDwQTnJ50,88
29
+ yaralyzer-0.9.4.dist-info/entry_points.txt,sha256=7LnLJrNTfql0vuctjRWwp_ZD-BYvtv9ENVipdjuT7XI,136
30
+ yaralyzer-0.9.4.dist-info/RECORD,,
@@ -1,4 +1,4 @@
1
1
  Wheel-Version: 1.0
2
- Generator: poetry-core 1.5.2
2
+ Generator: poetry-core 1.7.0
3
3
  Root-Is-Purelib: true
4
4
  Tag: py3-none-any