eric2digit commited on
Commit
bf3714e
·
verified ·
1 Parent(s): bc1c09a

Upload folder using huggingface_hub

Browse files
This view is limited to 50 files because it contains too many changes.   See raw diff
Files changed (50) hide show
  1. .gitattributes +2 -0
  2. .gitignore +207 -0
  3. .gradio/certificate.pem +31 -0
  4. .idea/inspectionProfiles/profiles_settings.xml +6 -0
  5. .idea/misc.xml +7 -0
  6. .idea/portfolio.iml +7 -0
  7. .idea/vcs.xml +6 -0
  8. .idea/workspace.xml +250 -0
  9. .vscode/settings.json +4 -0
  10. README.md +189 -7
  11. data/ETF.csv +0 -0
  12. data/SEC_Filing_Manager.csv +0 -0
  13. data/etf.tsv +169 -0
  14. data/etf_raw_tmp.csv +0 -0
  15. data/industry_info.csv +517 -0
  16. data/investment_company.jsonl +3 -0
  17. data/theme_info.csv +514 -0
  18. data_stock_news/AAPL.csv +141 -0
  19. data_stock_news/AMZN.csv +141 -0
  20. data_stock_news/AVGO.csv +121 -0
  21. data_stock_news/CRM.csv +71 -0
  22. data_stock_news/GOOGL.csv +123 -0
  23. data_stock_news/META.csv +89 -0
  24. data_stock_news/MSFT.csv +139 -0
  25. data_stock_news/NFLX.csv +129 -0
  26. data_stock_news/NVDA.csv +141 -0
  27. data_stock_news/TSLA.csv +141 -0
  28. data_stock_price/AAPL.csv +22 -0
  29. data_stock_price/AMZN.csv +22 -0
  30. data_stock_price/AVGO.csv +22 -0
  31. data_stock_price/CRM.csv +22 -0
  32. data_stock_price/GOOGL.csv +22 -0
  33. data_stock_price/META.csv +22 -0
  34. data_stock_price/MSFT.csv +22 -0
  35. data_stock_price/NFLX.csv +22 -0
  36. data_stock_price/NVDA.csv +22 -0
  37. data_stock_price/TSLA.csv +22 -0
  38. etf/ETF.csv +0 -0
  39. etf/etf.py +37 -0
  40. etf/make_data_ETF_csv.py +188 -0
  41. etf/postprocessing_ETF_csv.py +82 -0
  42. gen_client.py +314 -0
  43. industry_info.py +354 -0
  44. investment_company.py +148 -0
  45. investment_company_ex.py +353 -0
  46. make_investment_company_description.py +141 -0
  47. output.json +0 -0
  48. output_example.json +0 -0
  49. portfolio.py +510 -0
  50. portfolio/.gitignore +207 -0
.gitattributes CHANGED
@@ -33,3 +33,5 @@ saved_model/**/* filter=lfs diff=lfs merge=lfs -text
33
  *.zip filter=lfs diff=lfs merge=lfs -text
34
  *.zst filter=lfs diff=lfs merge=lfs -text
35
  *tfevents* filter=lfs diff=lfs merge=lfs -text
 
 
 
33
  *.zip filter=lfs diff=lfs merge=lfs -text
34
  *.zst filter=lfs diff=lfs merge=lfs -text
35
  *tfevents* filter=lfs diff=lfs merge=lfs -text
36
+ data/investment_company.jsonl filter=lfs diff=lfs merge=lfs -text
37
+ portfolio/data/investment_company.jsonl filter=lfs diff=lfs merge=lfs -text
.gitignore ADDED
@@ -0,0 +1,207 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ # Byte-compiled / optimized / DLL files
2
+ __pycache__/
3
+ *.py[codz]
4
+ *$py.class
5
+
6
+ # C extensions
7
+ *.so
8
+
9
+ # Distribution / packaging
10
+ .Python
11
+ build/
12
+ develop-eggs/
13
+ dist/
14
+ downloads/
15
+ eggs/
16
+ .eggs/
17
+ lib/
18
+ lib64/
19
+ parts/
20
+ sdist/
21
+ var/
22
+ wheels/
23
+ share/python-wheels/
24
+ *.egg-info/
25
+ .installed.cfg
26
+ *.egg
27
+ MANIFEST
28
+
29
+ # PyInstaller
30
+ # Usually these files are written by a python script from a template
31
+ # before PyInstaller builds the exe, so as to inject date/other infos into it.
32
+ *.manifest
33
+ *.spec
34
+
35
+ # Installer logs
36
+ pip-log.txt
37
+ pip-delete-this-directory.txt
38
+
39
+ # Unit test / coverage reports
40
+ htmlcov/
41
+ .tox/
42
+ .nox/
43
+ .coverage
44
+ .coverage.*
45
+ .cache
46
+ nosetests.xml
47
+ coverage.xml
48
+ *.cover
49
+ *.py.cover
50
+ .hypothesis/
51
+ .pytest_cache/
52
+ cover/
53
+
54
+ # Translations
55
+ *.mo
56
+ *.pot
57
+
58
+ # Django stuff:
59
+ *.log
60
+ local_settings.py
61
+ db.sqlite3
62
+ db.sqlite3-journal
63
+
64
+ # Flask stuff:
65
+ instance/
66
+ .webassets-cache
67
+
68
+ # Scrapy stuff:
69
+ .scrapy
70
+
71
+ # Sphinx documentation
72
+ docs/_build/
73
+
74
+ # PyBuilder
75
+ .pybuilder/
76
+ target/
77
+
78
+ # Jupyter Notebook
79
+ .ipynb_checkpoints
80
+
81
+ # IPython
82
+ profile_default/
83
+ ipython_config.py
84
+
85
+ # pyenv
86
+ # For a library or package, you might want to ignore these files since the code is
87
+ # intended to run in multiple environments; otherwise, check them in:
88
+ # .python-version
89
+
90
+ # pipenv
91
+ # According to pypa/pipenv#598, it is recommended to include Pipfile.lock in version control.
92
+ # However, in case of collaboration, if having platform-specific dependencies or dependencies
93
+ # having no cross-platform support, pipenv may install dependencies that don't work, or not
94
+ # install all needed dependencies.
95
+ #Pipfile.lock
96
+
97
+ # UV
98
+ # Similar to Pipfile.lock, it is generally recommended to include uv.lock in version control.
99
+ # This is especially recommended for binary packages to ensure reproducibility, and is more
100
+ # commonly ignored for libraries.
101
+ #uv.lock
102
+
103
+ # poetry
104
+ # Similar to Pipfile.lock, it is generally recommended to include poetry.lock in version control.
105
+ # This is especially recommended for binary packages to ensure reproducibility, and is more
106
+ # commonly ignored for libraries.
107
+ # https://python-poetry.org/docs/basic-usage/#commit-your-poetrylock-file-to-version-control
108
+ #poetry.lock
109
+ #poetry.toml
110
+
111
+ # pdm
112
+ # Similar to Pipfile.lock, it is generally recommended to include pdm.lock in version control.
113
+ # pdm recommends including project-wide configuration in pdm.toml, but excluding .pdm-python.
114
+ # https://pdm-project.org/en/latest/usage/project/#working-with-version-control
115
+ #pdm.lock
116
+ #pdm.toml
117
+ .pdm-python
118
+ .pdm-build/
119
+
120
+ # pixi
121
+ # Similar to Pipfile.lock, it is generally recommended to include pixi.lock in version control.
122
+ #pixi.lock
123
+ # Pixi creates a virtual environment in the .pixi directory, just like venv module creates one
124
+ # in the .venv directory. It is recommended not to include this directory in version control.
125
+ .pixi
126
+
127
+ # PEP 582; used by e.g. github.com/David-OConnor/pyflow and github.com/pdm-project/pdm
128
+ __pypackages__/
129
+
130
+ # Celery stuff
131
+ celerybeat-schedule
132
+ celerybeat.pid
133
+
134
+ # SageMath parsed files
135
+ *.sage.py
136
+
137
+ # Environments
138
+ .env
139
+ .envrc
140
+ .venv
141
+ env/
142
+ venv/
143
+ ENV/
144
+ env.bak/
145
+ venv.bak/
146
+
147
+ # Spyder project settings
148
+ .spyderproject
149
+ .spyproject
150
+
151
+ # Rope project settings
152
+ .ropeproject
153
+
154
+ # mkdocs documentation
155
+ /site
156
+
157
+ # mypy
158
+ .mypy_cache/
159
+ .dmypy.json
160
+ dmypy.json
161
+
162
+ # Pyre type checker
163
+ .pyre/
164
+
165
+ # pytype static type analyzer
166
+ .pytype/
167
+
168
+ # Cython debug symbols
169
+ cython_debug/
170
+
171
+ # PyCharm
172
+ # JetBrains specific template is maintained in a separate JetBrains.gitignore that can
173
+ # be found at https://github.com/github/gitignore/blob/main/Global/JetBrains.gitignore
174
+ # and can be added to the global gitignore or merged into this file. For a more nuclear
175
+ # option (not recommended) you can uncomment the following to ignore the entire idea folder.
176
+ #.idea/
177
+
178
+ # Abstra
179
+ # Abstra is an AI-powered process automation framework.
180
+ # Ignore directories containing user credentials, local state, and settings.
181
+ # Learn more at https://abstra.io/docs
182
+ .abstra/
183
+
184
+ # Visual Studio Code
185
+ # Visual Studio Code specific template is maintained in a separate VisualStudioCode.gitignore
186
+ # that can be found at https://github.com/github/gitignore/blob/main/Global/VisualStudioCode.gitignore
187
+ # and can be added to the global gitignore or merged into this file. However, if you prefer,
188
+ # you could uncomment the following to ignore the entire vscode folder
189
+ # .vscode/
190
+
191
+ # Ruff stuff:
192
+ .ruff_cache/
193
+
194
+ # PyPI configuration file
195
+ .pypirc
196
+
197
+ # Cursor
198
+ # Cursor is an AI-powered code editor. `.cursorignore` specifies files/directories to
199
+ # exclude from AI features like autocomplete and code analysis. Recommended for sensitive data
200
+ # refer to https://docs.cursor.com/context/ignore-files
201
+ .cursorignore
202
+ .cursorindexingignore
203
+
204
+ # Marimo
205
+ marimo/_static/
206
+ marimo/_lsp/
207
+ __marimo__/
.gradio/certificate.pem ADDED
@@ -0,0 +1,31 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ -----BEGIN CERTIFICATE-----
2
+ MIIFazCCA1OgAwIBAgIRAIIQz7DSQONZRGPgu2OCiwAwDQYJKoZIhvcNAQELBQAw
3
+ TzELMAkGA1UEBhMCVVMxKTAnBgNVBAoTIEludGVybmV0IFNlY3VyaXR5IFJlc2Vh
4
+ cmNoIEdyb3VwMRUwEwYDVQQDEwxJU1JHIFJvb3QgWDEwHhcNMTUwNjA0MTEwNDM4
5
+ WhcNMzUwNjA0MTEwNDM4WjBPMQswCQYDVQQGEwJVUzEpMCcGA1UEChMgSW50ZXJu
6
+ ZXQgU2VjdXJpdHkgUmVzZWFyY2ggR3JvdXAxFTATBgNVBAMTDElTUkcgUm9vdCBY
7
+ MTCCAiIwDQYJKoZIhvcNAQEBBQADggIPADCCAgoCggIBAK3oJHP0FDfzm54rVygc
8
+ h77ct984kIxuPOZXoHj3dcKi/vVqbvYATyjb3miGbESTtrFj/RQSa78f0uoxmyF+
9
+ 0TM8ukj13Xnfs7j/EvEhmkvBioZxaUpmZmyPfjxwv60pIgbz5MDmgK7iS4+3mX6U
10
+ A5/TR5d8mUgjU+g4rk8Kb4Mu0UlXjIB0ttov0DiNewNwIRt18jA8+o+u3dpjq+sW
11
+ T8KOEUt+zwvo/7V3LvSye0rgTBIlDHCNAymg4VMk7BPZ7hm/ELNKjD+Jo2FR3qyH
12
+ B5T0Y3HsLuJvW5iB4YlcNHlsdu87kGJ55tukmi8mxdAQ4Q7e2RCOFvu396j3x+UC
13
+ B5iPNgiV5+I3lg02dZ77DnKxHZu8A/lJBdiB3QW0KtZB6awBdpUKD9jf1b0SHzUv
14
+ KBds0pjBqAlkd25HN7rOrFleaJ1/ctaJxQZBKT5ZPt0m9STJEadao0xAH0ahmbWn
15
+ OlFuhjuefXKnEgV4We0+UXgVCwOPjdAvBbI+e0ocS3MFEvzG6uBQE3xDk3SzynTn
16
+ jh8BCNAw1FtxNrQHusEwMFxIt4I7mKZ9YIqioymCzLq9gwQbooMDQaHWBfEbwrbw
17
+ qHyGO0aoSCqI3Haadr8faqU9GY/rOPNk3sgrDQoo//fb4hVC1CLQJ13hef4Y53CI
18
+ rU7m2Ys6xt0nUW7/vGT1M0NPAgMBAAGjQjBAMA4GA1UdDwEB/wQEAwIBBjAPBgNV
19
+ HRMBAf8EBTADAQH/MB0GA1UdDgQWBBR5tFnme7bl5AFzgAiIyBpY9umbbjANBgkq
20
+ hkiG9w0BAQsFAAOCAgEAVR9YqbyyqFDQDLHYGmkgJykIrGF1XIpu+ILlaS/V9lZL
21
+ ubhzEFnTIZd+50xx+7LSYK05qAvqFyFWhfFQDlnrzuBZ6brJFe+GnY+EgPbk6ZGQ
22
+ 3BebYhtF8GaV0nxvwuo77x/Py9auJ/GpsMiu/X1+mvoiBOv/2X/qkSsisRcOj/KK
23
+ NFtY2PwByVS5uCbMiogziUwthDyC3+6WVwW6LLv3xLfHTjuCvjHIInNzktHCgKQ5
24
+ ORAzI4JMPJ+GslWYHb4phowim57iaztXOoJwTdwJx4nLCgdNbOhdjsnvzqvHu7Ur
25
+ TkXWStAmzOVyyghqpZXjFaH3pO3JLF+l+/+sKAIuvtd7u+Nxe5AW0wdeRlN8NwdC
26
+ jNPElpzVmbUq4JUagEiuTDkHzsxHpFKVK7q4+63SM1N95R1NbdWhscdCb+ZAJzVc
27
+ oyi3B43njTOQ5yOf+1CceWxG1bQVs5ZufpsMljq4Ui0/1lvh+wjChP4kqKOJ2qxq
28
+ 4RgqsahDYVvTH9w7jXbyLeiNdd8XM2w9U/t7y0Ff/9yi0GE44Za4rF2LN9d11TPA
29
+ mRGunUHBcnWEvgJBQl9nJEiU0Zsnvgc/ubhPgXRR4Xq37Z0j4r7g1SgEEzwxA57d
30
+ emyPxgcYxn/eR44/KJ4EBs+lVDR3veyJm+kXQ99b21/+jh5Xos1AnX5iItreGCc=
31
+ -----END CERTIFICATE-----
.idea/inspectionProfiles/profiles_settings.xml ADDED
@@ -0,0 +1,6 @@
 
 
 
 
 
 
 
1
+ <component name="InspectionProjectProfileManager">
2
+ <settings>
3
+ <option name="USE_PROJECT_PROFILE" value="false" />
4
+ <version value="1.0" />
5
+ </settings>
6
+ </component>
.idea/misc.xml ADDED
@@ -0,0 +1,7 @@
 
 
 
 
 
 
 
 
1
+ <?xml version="1.0" encoding="UTF-8"?>
2
+ <project version="4">
3
+ <component name="Black">
4
+ <option name="sdkName" value="Python 3.10 (portfolio)" />
5
+ </component>
6
+ <component name="ProjectRootManager" version="2" project-jdk-name="portfolio" project-jdk-type="Python SDK" />
7
+ </project>
.idea/portfolio.iml ADDED
@@ -0,0 +1,7 @@
 
 
 
 
 
 
 
 
1
+ <?xml version="1.0" encoding="UTF-8"?>
2
+ <module version="4">
3
+ <component name="PyDocumentationSettings">
4
+ <option name="format" value="PLAIN" />
5
+ <option name="myDocStringFormat" value="Plain" />
6
+ </component>
7
+ </module>
.idea/vcs.xml ADDED
@@ -0,0 +1,6 @@
 
 
 
 
 
 
 
1
+ <?xml version="1.0" encoding="UTF-8"?>
2
+ <project version="4">
3
+ <component name="VcsDirectoryMappings">
4
+ <mapping directory="$PROJECT_DIR$" vcs="Git" />
5
+ </component>
6
+ </project>
.idea/workspace.xml ADDED
@@ -0,0 +1,250 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ <?xml version="1.0" encoding="UTF-8"?>
2
+ <project version="4">
3
+ <component name="AutoImportSettings">
4
+ <option name="autoReloadType" value="SELECTIVE" />
5
+ </component>
6
+ <component name="ChangeListManager">
7
+ <list default="true" id="ee5559ce-a9ca-451e-8284-64f13ddd7bf3" name="변경" comment="">
8
+ <change beforePath="$PROJECT_DIR$/data/industry_info.csv" beforeDir="false" afterPath="$PROJECT_DIR$/data/industry_info.csv" afterDir="false" />
9
+ <change beforePath="$PROJECT_DIR$/data/theme_info.csv" beforeDir="false" afterPath="$PROJECT_DIR$/data/theme_info.csv" afterDir="false" />
10
+ <change beforePath="$PROJECT_DIR$/data_stock_news/META.csv" beforeDir="false" afterPath="$PROJECT_DIR$/data_stock_news/META.csv" afterDir="false" />
11
+ <change beforePath="$PROJECT_DIR$/data_stock_price/META.csv" beforeDir="false" afterPath="$PROJECT_DIR$/data_stock_price/META.csv" afterDir="false" />
12
+ <change beforePath="$PROJECT_DIR$/output.json" beforeDir="false" afterPath="$PROJECT_DIR$/output.json" afterDir="false" />
13
+ <change beforePath="$PROJECT_DIR$/report.txt" beforeDir="false" afterPath="$PROJECT_DIR$/report.txt" afterDir="false" />
14
+ </list>
15
+ <option name="SHOW_DIALOG" value="false" />
16
+ <option name="HIGHLIGHT_CONFLICTS" value="true" />
17
+ <option name="HIGHLIGHT_NON_ACTIVE_CHANGELIST" value="false" />
18
+ <option name="LAST_RESOLUTION" value="IGNORE" />
19
+ </component>
20
+ <component name="FileTemplateManagerImpl">
21
+ <option name="RECENT_TEMPLATES">
22
+ <list>
23
+ <option value="Python Script" />
24
+ </list>
25
+ </option>
26
+ </component>
27
+ <component name="Git.Settings">
28
+ <option name="RECENT_BRANCH_BY_REPOSITORY">
29
+ <map>
30
+ <entry key="$PROJECT_DIR$" value="branch/21" />
31
+ </map>
32
+ </option>
33
+ <option name="RECENT_GIT_ROOT_PATH" value="$PROJECT_DIR$" />
34
+ </component>
35
+ <component name="ProjectColorInfo">{
36
+ &quot;associatedIndex&quot;: 0
37
+ }</component>
38
+ <component name="ProjectId" id="31cWqd1QiR2lJm1jUbQni29xS7y" />
39
+ <component name="ProjectViewState">
40
+ <option name="hideEmptyMiddlePackages" value="true" />
41
+ <option name="showLibraryContents" value="true" />
42
+ </component>
43
+ <component name="PropertiesComponent"><![CDATA[{
44
+ "keyToString": {
45
+ "ModuleVcsDetector.initialDetectionPerformed": "true",
46
+ "Python.count_tokens.executor": "Run",
47
+ "Python.etf.executor": "Run",
48
+ "Python.generic.executor": "Run",
49
+ "Python.industry_info.executor": "Run",
50
+ "Python.industry_info_make_data2.executor": "Run",
51
+ "Python.make_tsv.executor": "Run",
52
+ "Python.postprocessing_ETF_csv.executor": "Run",
53
+ "Python.similar_investors.executor": "Run",
54
+ "Python.use_openai_2_13fdes_1_sec_전처리.executor": "Run",
55
+ "RunOnceActivity.ShowReadmeOnStart": "true",
56
+ "RunOnceActivity.TerminalTabsStorage.copyFrom.TerminalArrangementManager.252": "true",
57
+ "RunOnceActivity.git.unshallow": "true",
58
+ "git-widget-placeholder": "branch/62",
59
+ "last_opened_file_path": "/work/portfolio/etf",
60
+ "settings.editor.selected.configurable": "editing.templates"
61
+ }
62
+ }]]></component>
63
+ <component name="RecentsManager">
64
+ <key name="CopyFile.RECENT_KEYS">
65
+ <recent name="$PROJECT_DIR$/etf" />
66
+ <recent name="$PROJECT_DIR$" />
67
+ <recent name="$PROJECT_DIR$/data/sec" />
68
+ <recent name="$PROJECT_DIR$/data" />
69
+ <recent name="$PROJECT_DIR$/csv_251028" />
70
+ </key>
71
+ <key name="MoveFile.RECENT_KEYS">
72
+ <recent name="$PROJECT_DIR$/data" />
73
+ <recent name="$PROJECT_DIR$" />
74
+ <recent name="$PROJECT_DIR$/etf" />
75
+ <recent name="$PROJECT_DIR$/data/similiar_company" />
76
+ <recent name="$PROJECT_DIR$/data/sec" />
77
+ </key>
78
+ </component>
79
+ <component name="RunManager" selected="Python.make_tsv">
80
+ <configuration name="etf" type="PythonConfigurationType" factoryName="Python" temporary="true" nameIsGenerated="true">
81
+ <module name="portfolio" />
82
+ <option name="ENV_FILES" value="" />
83
+ <option name="INTERPRETER_OPTIONS" value="" />
84
+ <option name="PARENT_ENVS" value="true" />
85
+ <envs>
86
+ <env name="PYTHONUNBUFFERED" value="1" />
87
+ </envs>
88
+ <option name="SDK_HOME" value="" />
89
+ <option name="WORKING_DIRECTORY" value="$PROJECT_DIR$" />
90
+ <option name="IS_MODULE_SDK" value="true" />
91
+ <option name="ADD_CONTENT_ROOTS" value="true" />
92
+ <option name="ADD_SOURCE_ROOTS" value="true" />
93
+ <option name="SCRIPT_NAME" value="$PROJECT_DIR$/etf/etf.py" />
94
+ <option name="PARAMETERS" value="" />
95
+ <option name="SHOW_COMMAND_LINE" value="false" />
96
+ <option name="EMULATE_TERMINAL" value="false" />
97
+ <option name="MODULE_MODE" value="false" />
98
+ <option name="REDIRECT_INPUT" value="false" />
99
+ <option name="INPUT_FILE" value="" />
100
+ <method v="2" />
101
+ </configuration>
102
+ <configuration name="industry_info_make_data2" type="PythonConfigurationType" factoryName="Python" temporary="true" nameIsGenerated="true">
103
+ <module name="portfolio" />
104
+ <option name="ENV_FILES" value="" />
105
+ <option name="INTERPRETER_OPTIONS" value="" />
106
+ <option name="PARENT_ENVS" value="true" />
107
+ <envs>
108
+ <env name="PYTHONUNBUFFERED" value="1" />
109
+ </envs>
110
+ <option name="SDK_HOME" value="" />
111
+ <option name="WORKING_DIRECTORY" value="$PROJECT_DIR$" />
112
+ <option name="IS_MODULE_SDK" value="true" />
113
+ <option name="ADD_CONTENT_ROOTS" value="true" />
114
+ <option name="ADD_SOURCE_ROOTS" value="true" />
115
+ <option name="SCRIPT_NAME" value="$PROJECT_DIR$/industry_info_make_data2.py" />
116
+ <option name="PARAMETERS" value="" />
117
+ <option name="SHOW_COMMAND_LINE" value="false" />
118
+ <option name="EMULATE_TERMINAL" value="false" />
119
+ <option name="MODULE_MODE" value="false" />
120
+ <option name="REDIRECT_INPUT" value="false" />
121
+ <option name="INPUT_FILE" value="" />
122
+ <method v="2" />
123
+ </configuration>
124
+ <configuration name="main" type="PythonConfigurationType" factoryName="Python" nameIsGenerated="true">
125
+ <module name="portfolio" />
126
+ <option name="ENV_FILES" value="" />
127
+ <option name="INTERPRETER_OPTIONS" value="" />
128
+ <option name="PARENT_ENVS" value="true" />
129
+ <envs>
130
+ <env name="PYTHONUNBUFFERED" value="1" />
131
+ </envs>
132
+ <option name="SDK_HOME" value="" />
133
+ <option name="WORKING_DIRECTORY" value="$PROJECT_DIR$" />
134
+ <option name="IS_MODULE_SDK" value="true" />
135
+ <option name="ADD_CONTENT_ROOTS" value="true" />
136
+ <option name="ADD_SOURCE_ROOTS" value="true" />
137
+ <option name="SCRIPT_NAME" value="$PROJECT_DIR$/main.py" />
138
+ <option name="PARAMETERS" value="" />
139
+ <option name="SHOW_COMMAND_LINE" value="false" />
140
+ <option name="EMULATE_TERMINAL" value="false" />
141
+ <option name="MODULE_MODE" value="false" />
142
+ <option name="REDIRECT_INPUT" value="false" />
143
+ <option name="INPUT_FILE" value="" />
144
+ <method v="2" />
145
+ </configuration>
146
+ <configuration name="make_tsv" type="PythonConfigurationType" factoryName="Python" temporary="true" nameIsGenerated="true">
147
+ <module name="portfolio" />
148
+ <option name="ENV_FILES" value="" />
149
+ <option name="INTERPRETER_OPTIONS" value="" />
150
+ <option name="PARENT_ENVS" value="true" />
151
+ <envs>
152
+ <env name="PYTHONUNBUFFERED" value="1" />
153
+ </envs>
154
+ <option name="SDK_HOME" value="" />
155
+ <option name="WORKING_DIRECTORY" value="$PROJECT_DIR$/etf" />
156
+ <option name="IS_MODULE_SDK" value="true" />
157
+ <option name="ADD_CONTENT_ROOTS" value="true" />
158
+ <option name="ADD_SOURCE_ROOTS" value="true" />
159
+ <option name="SCRIPT_NAME" value="$PROJECT_DIR$/etf/make_tsv.py" />
160
+ <option name="PARAMETERS" value="" />
161
+ <option name="SHOW_COMMAND_LINE" value="false" />
162
+ <option name="EMULATE_TERMINAL" value="false" />
163
+ <option name="MODULE_MODE" value="false" />
164
+ <option name="REDIRECT_INPUT" value="false" />
165
+ <option name="INPUT_FILE" value="" />
166
+ <method v="2" />
167
+ </configuration>
168
+ <configuration name="postprocessing_ETF_csv" type="PythonConfigurationType" factoryName="Python" temporary="true" nameIsGenerated="true">
169
+ <module name="portfolio" />
170
+ <option name="ENV_FILES" value="" />
171
+ <option name="INTERPRETER_OPTIONS" value="" />
172
+ <option name="PARENT_ENVS" value="true" />
173
+ <envs>
174
+ <env name="PYTHONUNBUFFERED" value="1" />
175
+ </envs>
176
+ <option name="SDK_HOME" value="" />
177
+ <option name="WORKING_DIRECTORY" value="$PROJECT_DIR$/etf" />
178
+ <option name="IS_MODULE_SDK" value="true" />
179
+ <option name="ADD_CONTENT_ROOTS" value="true" />
180
+ <option name="ADD_SOURCE_ROOTS" value="true" />
181
+ <option name="SCRIPT_NAME" value="$PROJECT_DIR$/etf/postprocessing_ETF_csv.py" />
182
+ <option name="PARAMETERS" value="" />
183
+ <option name="SHOW_COMMAND_LINE" value="false" />
184
+ <option name="EMULATE_TERMINAL" value="false" />
185
+ <option name="MODULE_MODE" value="false" />
186
+ <option name="REDIRECT_INPUT" value="false" />
187
+ <option name="INPUT_FILE" value="" />
188
+ <method v="2" />
189
+ </configuration>
190
+ <configuration name="similar_investors" type="PythonConfigurationType" factoryName="Python" temporary="true" nameIsGenerated="true">
191
+ <module name="portfolio" />
192
+ <option name="ENV_FILES" value="" />
193
+ <option name="INTERPRETER_OPTIONS" value="" />
194
+ <option name="PARENT_ENVS" value="true" />
195
+ <envs>
196
+ <env name="PYTHONUNBUFFERED" value="1" />
197
+ </envs>
198
+ <option name="SDK_HOME" value="" />
199
+ <option name="WORKING_DIRECTORY" value="$PROJECT_DIR$" />
200
+ <option name="IS_MODULE_SDK" value="true" />
201
+ <option name="ADD_CONTENT_ROOTS" value="true" />
202
+ <option name="ADD_SOURCE_ROOTS" value="true" />
203
+ <option name="SCRIPT_NAME" value="$PROJECT_DIR$/similar_investors.py" />
204
+ <option name="PARAMETERS" value="" />
205
+ <option name="SHOW_COMMAND_LINE" value="false" />
206
+ <option name="EMULATE_TERMINAL" value="false" />
207
+ <option name="MODULE_MODE" value="false" />
208
+ <option name="REDIRECT_INPUT" value="false" />
209
+ <option name="INPUT_FILE" value="" />
210
+ <method v="2" />
211
+ </configuration>
212
+ <recent_temporary>
213
+ <list>
214
+ <item itemvalue="Python.make_tsv" />
215
+ <item itemvalue="Python.etf" />
216
+ <item itemvalue="Python.postprocessing_ETF_csv" />
217
+ <item itemvalue="Python.industry_info_make_data2" />
218
+ <item itemvalue="Python.similar_investors" />
219
+ </list>
220
+ </recent_temporary>
221
+ </component>
222
+ <component name="SharedIndexes">
223
+ <attachedChunks>
224
+ <set>
225
+ <option value="bundled-python-sdk-4e2b1448bda8-9a97661f3031-com.jetbrains.pycharm.pro.sharedIndexes.bundled-PY-252.27397.106" />
226
+ </set>
227
+ </attachedChunks>
228
+ </component>
229
+ <component name="TaskManager">
230
+ <task active="true" id="Default" summary="디폴트 작업">
231
+ <changelist id="ee5559ce-a9ca-451e-8284-64f13ddd7bf3" name="변경" comment="" />
232
+ <created>1755824033104</created>
233
+ <option name="number" value="Default" />
234
+ <option name="presentableId" value="Default" />
235
+ <updated>1755824033104</updated>
236
+ </task>
237
+ <servers />
238
+ </component>
239
+ <component name="XDebuggerManager">
240
+ <breakpoint-manager>
241
+ <breakpoints>
242
+ <line-breakpoint enabled="true" suspend="THREAD" type="python-line">
243
+ <url>file://$PROJECT_DIR$/main.py</url>
244
+ <line>8</line>
245
+ <option name="timeStamp" value="1" />
246
+ </line-breakpoint>
247
+ </breakpoints>
248
+ </breakpoint-manager>
249
+ </component>
250
+ </project>
.vscode/settings.json ADDED
@@ -0,0 +1,4 @@
 
 
 
 
 
1
+ {
2
+ "python-envs.defaultEnvManager": "ms-python.python:conda",
3
+ "python-envs.defaultPackageManager": "ms-python.python:conda"
4
+ }
README.md CHANGED
@@ -1,12 +1,194 @@
1
  ---
2
- title: Portfolio
3
- emoji: 🏢
4
- colorFrom: indigo
5
- colorTo: red
6
  sdk: gradio
7
  sdk_version: 6.10.0
8
- app_file: app.py
9
- pinned: false
10
  ---
 
 
 
 
 
 
11
 
12
- Check out the configuration reference at https://huggingface.co/docs/hub/spaces-config-reference
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
  ---
2
+ title: portfolio
3
+ app_file: web_client.py
 
 
4
  sdk: gradio
5
  sdk_version: 6.10.0
 
 
6
  ---
7
+ # Portfolio
8
+ ```
9
+ conda create -n portfolio python=3.12
10
+ conda activate portfolio
11
+ pip install -r requirements.txt
12
+ ```
13
 
14
+ ## Usage
15
+ ```
16
+ python similar_investors.py
17
+ python investment_company.py
18
+ python stock_price.py
19
+ python stock_news.py
20
+ python industry_info.py
21
+ python theme_info.py
22
+ python portfolio.py
23
+ ```
24
+
25
+ ### Similar Investors
26
+ ```
27
+ usage: similar_investors.py [-h] [--input INPUT] [--region REGION] [--ko_data DATA] [--us_data DATA] [--output OUTPUT] [--top TOP]
28
+
29
+ 사용자와 유사한 투자회사 검색 도구 (주식수/금액비중 기준)
30
+
31
+ options:
32
+ -h, --help show this help message and exit
33
+ --input INPUT 입력 CSV 파일 (default: user.csv)
34
+ --region REGION 지역 선택: ko(한국) 또는 us(미국) (required: ['ko', 'us'])
35
+ --ko_data DATA 데이터 CSV 파일 (default: /work/portfolio/data/ETF.csv)
36
+ --us_data DATA 데이터 CSV 파일 (default: /work/portfolio/data/SEC_Filing_Manager.csv)
37
+ --output OUTPUT 통합 JSON 파일 (default: output.json)
38
+ --top TOP 상위 N개 항목 (default: 5)
39
+ ```
40
+
41
+ ### Investment Company
42
+ ```
43
+ usage: investment_company.py [-h] [--input INPUT] [--data DATA] [--output OUTPUT] [--top TOP]
44
+
45
+ 사용자와 유사한 투자회사 정보 - 검색 및 생성 도구
46
+
47
+ options:
48
+ -h, --help show this help message and exit
49
+ --name NAME 투자회사 이름 입력 (default: --name "CAPITAL WORLD INVESTORS" "GEODE CAPITAL MANAGEMENT, LLC" "NORGES BANK")
50
+ --data DATA 데이터 저장 JSONL 파일 (default: /data/investment_company.jsonl)
51
+ --output OUTPUT 통합 JSON 파일 (default: output.json)
52
+ ```
53
+
54
+ ### Stock Price
55
+ ```
56
+ usage: stock_price.py [-h] [--stock STOCK] [--data DATA] [--output OUTPUT]
57
+
58
+ 주가 CSV/JSON 생성 도구
59
+
60
+ options:
61
+ -h, --help show this help message and exit
62
+ --stock STOCK 콤마 구분 가능 티커 (e.g., META,NVDA,005930,000660) (default: META)
63
+ --data DATA CSV 저장 폴더 (default: data_stock_price/)
64
+ --output OUTPUT 통합 JSON 파일 (default: output.json)
65
+ ```
66
+
67
+ ### Stock News
68
+ ```
69
+ usage: stock_news.py [-h] [--stock STOCK] [--data DATA] [--output OUTPUT] [--period PERIOD]
70
+
71
+ 기업 뉴스 크롤러
72
+
73
+ options:
74
+ -h, --help show this help message and exit
75
+ --stock STOCK 기업 티커 1개 (e.g., NVDA / 005930) (default: META)
76
+ --data DATA CSV 저장 폴더 (default: data_stock_news)
77
+ --output OUTPUT 통합 JSON 파일 (default: output.json)
78
+ --period PERIOD 크롤링 일수 (default: 30)
79
+ ```
80
+
81
+ ### Industry Info
82
+ ```
83
+ usage: industry_info.py [-h] [--stock STOCK [STOCK ...]] [--data DATA] [--output OUTPUT]
84
+
85
+ 종목의 산업군/섹터 검색 도구
86
+
87
+ options:
88
+ -h, --help show this help message and exit
89
+ --stock STOCK [STOCK ...] 종목 입력. 여러 개는 , 로 구분 (default: Meta)
90
+ --data DATA CSV 데이터 파일 (default: /work/portfolio/data/industry_info.csv)
91
+ --output OUTPUT 통합 JSON 파일 (default: output.json)
92
+ ```
93
+
94
+ ### Theme Info
95
+ ```
96
+ usage: theme_info.py [-h] [--stock STOCK [STOCK ...]] [--data DATA] [--output OUTPUT]
97
+
98
+ 종목의 테마 검색 도구
99
+
100
+ options:
101
+ -h, --help show this help message and exit
102
+ --stock STOCK [STOCK ...] 종목 입력. 여러 개는 공백 또는 콤마(,) 로 구분 가능 (default: Meta)
103
+ --data DATA CSV 데이터 파일 (default: /work/portfolio/data/theme_info.csv)
104
+ --output OUTPUT 통합 JSON 파일 (default: output.json)
105
+ ```
106
+
107
+ ### Portfolio
108
+ ```
109
+ usage: portfolio.py [-h] [--user-name USER_NAME] [--csv-path CSV_PATH] [--json-path JSON_PATH] [--output-path OUTPUT_PATH]
110
+
111
+ 포트폴리오 기반 투자 리포트 생성 도구
112
+
113
+ options:
114
+ -h, --help show this help message and exit
115
+ --user-name USER_NAME 사용자 이름 (default: 이서준)
116
+ --csv-path CSV_PATH 사용자 포트폴리오 CSV 파일 경로 (default: used_user.csv)
117
+ --json-path JSON_PATH 분석에 사용할 JSON 파일 경로 (default: output.json)
118
+ --output-path OUTPUT_PATH 생성된 리포트 출력 경로 (default: report.txt)
119
+ ```
120
+
121
+ ## Input Data
122
+ - File: output.json
123
+ - Schema:
124
+ ```
125
+ {
126
+ "similar_investors": [ // 투자자 포트폴리오 정보
127
+ {
128
+ "ID": "37833100", // 식별자
129
+ "NAME": "LAZARI CAPITAL MANAGEMENT, INC.", // 투자자 이름
130
+ "COMPANY": "APPLE INC", // 투자 대상 기업 이름
131
+ "VALUE": 33972687.0, // 보유 주식의 시장 가치
132
+ "AMOUNT": 165583, // 보유 주식 수량
133
+ "PERCENTAGE": 12.8 // 포트폴리오 내 비중 (수량 %)
134
+ }
135
+ ],
136
+ "investment_company": { // similar_investors 에 관한 세부 정보
137
+ "LAZARI CAPITAL MANAGEMENT, INC.": "---\n\n# [LAZARI CAPITAL MANAGEMENT, INC. 소개\n\n## 개요\n\n**LAZARI CAPITAL MANAGEMENT, INC.**에 대한 공식적이고 객관적인 설명을 제공하려면 금융감독원 전자공시시스템(DART), 공식 기업 홈페이지 또는 investing.com 등 공개된 신뢰 가능한 출처의 최신 자료 확인이 필요합니다. 현재 저는 외부 사이트를 직접 조회할 수 없어, 해당 출처에서 검증된 사실을 확인하지 못한 상태입니다. 정확한 위치(본사 주소), 설립연도, 주요 사업 범위(자산관리·투자운용 등)는 공식 문서를 통해 확인해야 합니다.\n\n---\n\n## 주요 서비스\n\n- **자산 관리(Wealth Management)**\n - 맞춤형 포트폴리오 설계 및 관리\n - 인생 주기 및 금융 목표에 따른 자산 분배 전략 제공\n\n- **투자 운용(Investment Management)**\n - 주식, 채권, 대체 투자 등 다양한 자산군에 대한 직접 운용\n - 위험 관리와 장기 성과에 초점을 맞춘 운용 철학\n\n- **재무 계획(Financial Planning)**\n - 은퇴 계획, 교육 자금, 세금 전략, 유산 관리 등 포괄적 재무 자문 서비스\n - 고객 개개인에 특화된 재무 솔루션 제안\n\n(위 서비스 항목은 일반적인 자산운용사/자산관리회사의 서비스 항목 예시이며, LAZARI CAPITAL MANAGEMENT, INC.의 구체적 제공 서비스는 공식 출처 확인이 필요합니다.)\n\n---\n\n## 특징 및 강점\n\n- **피듀셔리(fiduciary) 신의성실 의무**: 고객의 이익을 최우선으로 하는 피듀셔리 원칙 기반의 서비스 제공 여부는 공식 문서에서 확인 필요\n- **글로벌 투자 경험**: 미국 및 세계 시장에 대한 네트워크 보유 여부는 공개 자료 확인 필요\n- **투명성**: 운용 과정 및 수수료 구조의 공개 수준은 회사 공시·약관에서 확인 필요\n- **혁신적인 투자 접근법**: 회사가 주장하는 운용 전략 및 혁신 사례는 공식 자료 근거로 확인 필요\n\n(위 특징은 자산운용사에 일반적으로 적용되는 항목을 나열한 것이며, LAZARI CAPITAL MANAGEMENT, INC.의 실제 특징 및 강점은 공식 출처에서 확인하셔야 합니다.)\n\n## 기업의 경쟁력과 미래 가치\n- **사업의 내용 (Business Model)**: 이 회사가 어떤 상품과 서비스를 누구에게 판매하여 수익을 창출하는지에 관한 구체적 내용은 공시자료 및 회사 소개문서 확인 필요\n- **산업 분석**: 해당 기업이 속한 자산관리·투자운용 산업의 동향, 성장성, 경쟁 환경 및 회사의 시장 내 위치(시장 점유율 등)는 공시·산업보고서 기반 분석 필요\n- **경영진**: 대표이사 및 핵심 경영진의 이력과 주요 결정사항은 회사 공시·웹사이트의 임원 소개에서 확인 가능\n- **지배구조**: 최대주주 및 주요 주주 구성, 지배구조 관련 리스크는 정식 공시자료(예: 주주명부, 보고서) 확인 필요\n- **웹사이트**: 공식 웹사이트 주소는 회사 공식 문서 또는 검색을 통해 확인해야 합니다.\n\n## 정보요약\n- 한 줄 요약: LAZARI CAPITAL MANAGEMENT, INC.에 관한 공식적이고 객관적인 정보 제공을 위해서는 DART, 공식 홈페이지, investing.com 등 신뢰 가능한 출처의 확인이 필요합니다.\n\n---\n\n요청하신 기업에 대해 공식 출처를 기반으로 한 상세한 설명을 제공해드릴 수 있습니다. 원하시면 제가 외부 웹페이지를 확인해도 되는지 허용하시거나(직접 확인 기능이 필요한 경우), 회사의 공식 문서(URL 또는 공시자료 사본)를 제공해 주시면 해당 자료를 바탕으로 요청하신 형식에 맞춰 객관적이고 출처 근거가 명시된 보고서를 작성해 드리겠습니다."
138
+ }
139
+ "stock_price": { // 종목별 주가 데이터 객체
140
+ "META": [ // 'META' 종목의 일별 주가 데이터
141
+ {
142
+ "Date": "2025-10-20", // 날짜
143
+ "Name": "Meta Platforms", // 기업 이름
144
+ "Open": 721.2, // 시가
145
+ "High": 733.8, // 고가
146
+ "Low": 720.2, // 저가
147
+ "Close": 732.2, // 종가
148
+ "Volume": 8900200 // 거래량
149
+ }
150
+ ]
151
+ },
152
+ "stock_news": { // 종목별 뉴스 기사 객체
153
+ "META": [ // 'META' 종목
154
+ {
155
+ "Name": "Meta Platforms", // 기업 이름
156
+ "date": "2025-11-20", // 뉴스 날짜
157
+ "time": "08:37", // 뉴스 시간
158
+ "news": "딥러닝 거장 얀 르쿤, Meta Platforms 떠나 AI 스타트업 설립 선언\n“오늘날 AI는..." // 뉴스 기사 내용
159
+ }
160
+ ]
161
+ },
162
+ "industry_info": [ // 산업 및 섹터 정보
163
+ {
164
+ "stock": "Meta", // 종목 코드/이름
165
+ "description": "Industry: Internet Content & Information | Sector: Communication Services" // 산업 및 섹터 정보
166
+ }
167
+ ],
168
+ "theme_info": [ // 테마 정보
169
+ {
170
+ "stock": "Meta", // 종목 코드/이름
171
+ "desc": "Theme: Artificial Intelligence | Theme 2: \"Social Media\" | Theme 3: \"Virtual Reality\"" // 관련 테마 정보
172
+ }
173
+ ]
174
+ }
175
+ ```
176
+
177
+ ## Output
178
+ - File: report.txt
179
+ - Schema:
180
+ ```
181
+ # 이서준 님의 투자 성향 기반 분석 리포트
182
+
183
+ ## 이서준 님의 투자 현황
184
+
185
+ ## 이서준 님의 투자 성향 분석 요약
186
+
187
+ ## 전문가 투자 전략에서 도움얻기
188
+
189
+ ## 종목별 상세 분석
190
+
191
+ ## 투자 차별성
192
+
193
+ ## 상황 및 전략
194
+ ```
data/ETF.csv ADDED
The diff for this file is too large to render. See raw diff
 
data/SEC_Filing_Manager.csv ADDED
The diff for this file is too large to render. See raw diff
 
data/etf.tsv ADDED
@@ -0,0 +1,169 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ 종목코드 종목명 상장일 분류체계 운용사 수익률(최근 1년) 기초지수 추적오차 순자산총액 괴리율 변동성 복제방법 총보수 과세유형
2
+ 0103T0 1Q K소버린AI 2025/09/30 주식-업종섹터-업종테마 하나자산운용 0.00 iSelect K소버린AI 지수 0.15 32,411,300,493 0.29 매우높음 실물(패시브) 0.490000 비과세
3
+ 469150 ACE AI반도체포커스 2023/10/17 주식-업종섹터-업종테마 한국투자신탁운용 89.39 FnGuide AI 반도체 포커스 지수(시장가격) 0.43 114,854,237,027 -0.11 매우높음 실물(패시브) 0.300000 비과세
4
+ 380340 ACE Fn5G플러스 2021/04/02 주식-업종섹터-업종테마 한국투자신탁운용 76.75 FnGuide 5G플러스 지수 (시장가격) 0.37 8,890,194,260 0.32 매우높음 실물(패시브) 0.350000 비과세
5
+ 475050 ACE KPOP포커스 2024/01/30 주식-업종섹터-업종테마 한국투자신탁운용 17.02 iSelect K-POP 포커스지수(시장가격) 0.20 212,466,899,620 -0.28 매우높음 실물(패시브) 0.300000 비과세
6
+ 433500 ACE 원자력TOP10 2022/06/28 주식-업종섹터-업종테마 한국투자신탁운용 112.33 DeepSearch 원자력 TOP 10지수 2.30 97,363,365,237 0.15 매우높음 실물(패시브) 0.300000 비과세
7
+ 466810 BNK 2차전지양극재 2023/10/19 주식-업종섹터-업종테마 비엔케이자산운용 -4.97 iSelect 2차전지양극재 지수 0.44 12,277,372,386 -0.19 매우높음 실물(패시브) 0.395000 비과세
8
+ 457930 BNK 미래전략기술액티브 2023/06/20 주식-업종섹터-업종테마 비엔케이자산운용 71.94 iSelect 미래전략기술 지수 (PR) 0.55 10,834,236,027 0.27 높음 실물(액티브) 0.495000 배당소득세(보유기간과세)
9
+ 487750 BNK 온디바이스AI 2024/07/23 주식-업종섹터-업종테마 비엔케이자산운용 89.67 FnGuide 온디바이스AI 지수 0.52 19,207,680,016 -0.39 매우높음 실물(패시브) 0.395000 비과세
10
+ 486240 DAISHIN343 AI반도체&인프라액티브 2024/06/18 주식-업종섹터-업종테마 대신자산운용 75.02 FnGuide AI반도체&인프라 지수 5.02 37,479,820,122 -0.04 매우높음 실물(액티브) 0.360000 배당소득세(보유기간과세)
11
+ 454320 HANARO CAPEX설비투자iSelect 2023/04/18 주식-업종섹터-업종테마 엔에이치아문디자산운용 120.14 iSelect CAPEX 설비투자 지수(시장가격) 0.45 84,577,254,736 0.24 매우높음 실물(패시브) 0.450000 비과세
12
+ 395290 HANARO Fn K-POP&미디어 2021/07/30 주식-업종섹터-업종테마 엔에이치아문디자산운용 7.59 FnGuide K-POP & 미디어 지수 0.12 62,116,921,062 -0.18 매우높음 실물(패시브) 0.450000 비과세
13
+ 395280 HANARO Fn K-게임 2021/07/30 주식-업종섹터-업종테마 엔에이치아문디자산운용 -10.93 FnGuide K-게임 지수 0.42 11,454,812,645 0.31 매우높음 실물(패시브) 0.450000 비과세
14
+ 368190 HANARO Fn K-뉴딜디지털플러스 2020/11/10 주식-업종섹터-업종테마 엔에이치아문디자산운용 14.54 FnGuide K-뉴딜 디지털 플러스 지수 0.24 39,186,365,033 0.31 높음 실물(패시브) 0.450000 비과세
15
+ 402460 HANARO Fn K-메타버스MZ 2021/10/13 주식-업종섹터-업종테마 엔에이치아문디자산운용 19.13 FnGuide K-메타버스 MZ 지수(시장가격) 0.52 5,740,077,172 0.24 보통 실물(패시브) 0.450000 비과세
16
+ 395270 HANARO Fn K-반도체 2021/07/30 주식-업종섹터-업종테마 엔에이치아문디자산운용 99.35 FnGuide K-반도체 지수 0.47 925,504,984,346 -0.11 매우높음 실물(패시브) 0.450000 비과세
17
+ 438900 HANARO Fn K-푸드 2022/08/17 주식-업종섹터-업종테마 엔에이치아문디자산운용 17.70 FnGuide K-푸드 지수 (시장가격) 0.75 20,484,888,344 -0.01 높음 실물(패시브) 0.450000 비과세
18
+ 367740 HANARO Fn5G산업 2020/10/29 주식-업종섹터-업종테마 엔에이치아문디자산운용 64.16 FnGuide 5G 산업 지수 0.77 10,933,632,258 0.00 매우높음 실물(패시브) 0.450000 비과세
19
+ 407300 HANARO Fn골프테마 2021/11/24 주식-업종섹터-업종테마 엔에이치아문디자산운용 63.28 FnGuide 골프 테마 지수 1.03 4,827,938,254 -0.21 높음 실물(패시브) 0.450000 비과세
20
+ 381560 HANARO Fn전기&수소차 2021/04/02 주식-업종섹터-업종테마 엔에이치아문디자산운용 27.11 FnGuide 전기&수소차 지수 (시장가격) 0.74 16,797,541,711 0.25 매우높음 실물(패시브) 0.450000 비과세
21
+ 441540 HANARO Fn조선해운 2022/09/15 주식-업종섹터-업종테마 엔에이치아문디자산운용 93.92 FnGuide 조선해운지수 0.74 113,741,960,320 -0.10 매우높음 실물(패시브) 0.450000 비과세
22
+ 381570 HANARO Fn친환경에너지 2021/04/02 주식-업종섹터-업종테마 엔에이치아문디자산운용 16.48 FnGuide 친환경에너지 지수 (시장가격) 0.56 6,682,360,215 0.23 매우높음 실물(패시브) 0.450000 비과세
23
+ 479850 HANARO K-뷰티 2024/04/16 주식-업종섹터-업종테마 엔에이치아문디자산운용 42.11 FnGuide K-뷰티 지수 0.49 55,513,143,605 -0.20 매우높음 실물(��시브) 0.450000 비과세
24
+ 322400 HANARO e커머스 2019/04/23 주식-업종섹터-업종테마 엔에이치아문디자산운용 29.93 FnGuide E커머스 지수 1.09 54,363,979,582 0.27 매우높음 실물(패시브) 0.450000 비과세
25
+ 314700 HANARO 농업융복합산업 2018/12/21 주식-업종섹터-업종테마 엔에이치아문디자산운용 13.89 FnGuide 농업융복합산업 지수(시장가격) 1.23 5,954,415,328 -0.38 보통 실물(패시브) 0.500000 비과세
26
+ 498050 HANARO 바이오코리아액티브 2024/11/26 주식-업종섹터-업종테마 엔에이치아문디자산운용 0.00 iSelect K-바이오헬스케어 10.83 14,452,413,716 -0.25 매우높음 실물(액티브) 0.500000 배당소득세(보유기간과세)
27
+ 476260 HANARO 반도체핵심공정주도주 2024/02/27 주식-업종섹터-업종테마 엔에이치아문디자산운용 41.25 FnGuide 반도체 핵심공정 지수 0.96 18,236,061,269 -0.24 매우높음 실물(패시브) 0.450000 비과세
28
+ 434730 HANARO 원자력iSelect 2022/06/28 주식-업종섹터-업종테마 엔에이치아문디자산운용 150.81 iSelect 원자력지수 (시장가격) 0.50 473,278,065,688 0.24 매우높음 실물(패시브) 0.450000 비과세
29
+ 491820 HANARO 전력설비투자 2024/09/24 주식-업종섹터-업종테마 엔에이치아문디자산운용 145.84 iSelect 전력설비투자 지수 0.48 72,472,235,168 -0.18 매우높음 실물(패시브) 0.350000 비과세
30
+ 0111J0 HANARO 증권고배당TOP3플러스 2025/10/28 주식-업종섹터-업종테마 엔에이치아문디자산운용 0.00 FnGuide 증권 고배당 TOP3 플러스 지수 0.13 30,366,146,460 -0.42 매우높음 실물(패시브) 0.070000 비과세
31
+ 0005G0 ITF K-AI반도체코어테크 2025/01/21 주식-업종섹터-업종테마 아이비케이자산운용 0.00 FnGuide K-AI반도체 코어테크 지수 0.41 18,123,572,569 -0.46 매우높음 실물(패시브) 0.280000 비과세
32
+ 460280 KIWOOM Fn유전자혁신기술 2023/06/27 주식-업종섹터-헬스케어 키움투자자산운용 28.21 FnGuide 유전자혁신기술 지수(시장가격) 1.14 6,939,106,854 0.21 매우높음 실물(패시브) 0.400000 비과세
33
+ 488200 KIWOOM K-2차전지북미공급망 2024/07/23 주식-업종섹터-업종테마 키움투자자산운용 16.57 Solactive K-Battery North America Supply Chain 지수 0.40 18,626,778,273 -0.08 매우높음 실물(패시브) 0.490000 비과세
34
+ 488210 KIWOOM K-반도체북미공급망 2024/07/23 주식-업종섹터-업종테마 키움투자자산운용 57.24 Solactive K-Semiconductor North America Supply Chain 지수 0.72 15,464,915,711 -0.01 매우높음 실물(패시브) 0.490000 비과세
35
+ 469790 KIWOOM K-테크TOP10 2023/10/31 주식-업종섹터-업종테마 키움투자자산운용 74.28 Solactive K-TechTOP10 Index(PR) 0.50 12,425,520,400 0.00 매우높음 실물(패시브) 0.390000 비과세
36
+ 483020 KIWOOM 의료AI 2024/05/28 주식-업종섹터-업종테마 키움투자자산운용 31.51 FnGuide 의료AI 지수 1.15 8,480,912,771 -0.52 매우높음 실물(패시브) 0.490000 비과세
37
+ 363580 KODEX 200IT TR 2020/09/25 주식-업종섹터-정보기술 삼성자산운용 80.35 코스피200 정보기술 TR 0.14 62,767,868,010 -0.10 매우높음 실물(패시브) 0.150000 배당소득세(보유기간과세)
38
+ 305720 KODEX 2차전지산업 2018/09/12 주식-업종섹터-업종테마 삼성자산운용 -2.61 FnGuide 2차전지 산업 지수 0.55 1,475,912,755,726 -0.04 매우높음 실물(패시브) 0.450000 비과세
39
+ 462330 KODEX 2차전지산업레버리지 2023/07/04 주식-업종섹터-업종테마 삼성자산운용 -22.26 FnGuide 2차전지 산업 지수 3.93 451,735,946,772 -0.55 매우높음 실물(패시브) 0.490000 배당소득세(보유기간과세)
40
+ 461950 KODEX 2차전지핵심소재10 2023/07/04 주식-업종섹터-업종테마 삼성자산운용 -2.67 FnGuide 2차전지핵심소재10 지수 0.50 178,495,520,507 -0.23 매우높음 실물(패시브) 0.390000 비과세
41
+ 395160 KODEX AI반도체 2021/07/30 주식-업종섹터-업종테마 삼성자산운용 98.64 FnGuide AI반도체지수 0.75 731,721,852,454 0.24 매우높음 실물(패시브) 0.450000 비과세
42
+ 471990 KODEX AI반도체핵심장비 2023/11/21 주식-업종섹터-업종테마 삼성자산운용 93.75 iSelect AI 반도체핵심장비 지수 0.37 208,284,483,027 0.03 매우높음 실물(패시브) 0.390000 비과세
43
+ 487240 KODEX AI전력핵심설비 2024/07/09 주식-업종섹터-업종테마 삼성자산운용 153.68 iSelect AI 전력핵심설비 지수(Price Return) 0.50 980,910,832,828 0.10 매우높음 실물(패시브) 0.390000 비과세
44
+ 266370 KODEX IT 2017/03/28 주식-업종섹터-정보기술 삼성자산운용 74.59 KRX 정보기술 0.65 32,335,078,962 0.20 매우높음 실물(패시브) 0.450000 비과세
45
+ 368680 KODEX K-뉴딜디지털플러스 2020/11/10 주식-업종섹터-업종테마 삼성자산운용 14.17 FnGuide K-뉴딜 디지털 플러스 지수 0.28 8,613,742,804 -0.39 높음 실물(패시브) 0.090000 비과세
46
+ 0080G0 KODEX K방산TOP10 2025/07/15 주식-업종섹터-업종테마 삼성자산운용 0.00 iSelect K방산 TOP10 지수(Price Return) 0.18 194,256,031,562 0.19 매우높음 실물(패시브) 0.450000 비과세
47
+ 0100K0 KODEX K방산TOP10레버리지 2025/09/16 주식-업종섹터-업종테마 삼성자산운용 0.00 iSelect K방산 TOP10 지수(Price Return) 5.71 38,578,063,409 -0.41 매우높음 실물(패시브) 0.640000 배당소득세(보유기간과세)
48
+ 0098F0 KODEX K원자력SMR 2025/09/16 주식-업종섹터-업종테마 삼성자산운용 0.00 iSelect K원자력SMR 지수(Price Return) 0.07 111,314,673,919 0.22 매우높음 실물(패시브) 0.450000 비과세
49
+ 0115D0 KODEX K조선TOP10 2025/10/28 주식-업종섹터-업종테마 삼성자산운용 0.00 KRX K조선 TOP10 지수 0.10 79,112,866,159 0.24 매우높음 실물(패시브) 0.450000 비과세
50
+ 266360 KODEX K콘텐츠 2017/03/28 주식-업종섹터-정보기술 삼성자산운용 14.41 KRX K콘텐츠 0.22 62,630,461,565 0.30 매우높음 실물(패시브) 0.450000 비과세
51
+ 117700 KODEX 건설 2009/10/30 주식-업종섹터-건설 삼성자산운용 25.88 KRX 건설 0.96 32,238,664,256 -0.10 매우높음 실물(패시브) 0.450000 비과세
52
+ 300950 KODEX 게임산업 2018/07/24 주식-업종섹터-업종테마 삼성자산운용 -13.15 FnGuide 게임 산업 지수 0.39 34,668,639,796 0.31 매우높음 실물(패시브) 0.450000 비과세
53
+ 266390 KODEX 경기소비재 2017/03/28 주식-업종섹터-경기소비재 삼성자산운용 23.09 KRX 경기소비재 0.99 5,842,391,248 -0.08 보통 실물(패시브) 0.450000 비과세
54
+ 0089D0 KODEX 금융고배당TOP10 2025/08/12 주식-업종섹터-업종테마 삼성자산운용 0.00 코스피 200 금융 고배당 TOP 10 지수 0.51 215,096,744,232 0.13 매우높음 실물(패시브) 0.300000 비과세
55
+ 102960 KODEX 기계장비 2008/05/29 주식-업종섹터-산업재 삼성자산운용 79.84 KRX 기계장비 0.46 19,698,780,858 0.19 매우높음 실물(패시브) 0.450000 비과세
56
+ 445290 KODEX 로봇액티브 2022/11/15 주식-업종섹터-업종테마 삼성자산운용 67.74 iSelect K-로봇테마 지수 5.99 338,793,117,066 -0.06 매우높음 실물(액티브) 0.500000 배당소득세(보유기간과세)
57
+ 401470 KODEX 메타버스액티브 2021/10/13 주식-업종섹터-업종테마 삼성자산운용 14.05 FnGuide K-메타버스 지수 5.89 87,842,763,766 0.13 높음 실물(액티브) 0.500000 배당소득세(보유기간과세)
58
+ 244580 KODEX 바이오 2016/05/13 주식-업종섹터-업종테마 삼성자산운용 46.75 FnGuide 바이오 지수 1.07 234,948,620,980 0.03 매우높음 실물(패시브) 0.450000 비과세
59
+ 091160 KODEX 반도체 2006/06/27 주식-업종섹터-정보기술 삼성자산운용 82.43 KRX 반도체 0.70 1,503,127,789,819 0.28 매우높음 실물(패시브) 0.450000 비과세
60
+ 494310 KODEX 반도체레버리지 2024/10/22 주식-업종섹터-정보기술 삼성자산운용 185.84 KRX 반도체 3.28 315,929,050,816 -0.29 매우높음 실물(패시브) 0.490000 배당소득세(보유기간과세)
61
+ 140700 KODEX 보험 2011/04/26 주식-업종섹터-금융 삼성자산운용 19.13 KRX 보험 2.02 51,731,612,861 -0.09 매우높음 실물(패시브) 0.450000 비과세
62
+ 117460 KODEX 에너지화학 2009/10/12 주식-업종섹터-에너지화학 삼성자산운용 23.08 KRX 에너지화학 0.56 29,132,770,368 0.26 매우높음 실물(패시브) 0.450000 비과세
63
+ 140710 KODEX 운송 2011/04/26 주식-업종섹터-산업재 삼성자산운용 7.17 KRX 운송 1.00 12,703,300,220 0.12 매우높음 실물(패시브) 0.450000 비과세
64
+ 395150 KODEX 웹툰&드라마 2021/07/30 주식-업종섹터-업종테마 삼성자산운용 -3.13 FnGuide 웹툰&드라마 지수 0.80 11,430,300,577 0.31 매우높음 실물(패시브) 0.450000 비과세
65
+ 091170 KODEX 은행 2006/06/27 주식-업종섹터-금융 삼성자산운용 34.39 KRX 은행 2.31 357,211,202,001 -0.39 매우높음 실물(패시브) 0.300000 비과세
66
+ 091180 KODEX 자동차 2006/06/27 주식-업종섹터-경기소비재 삼성자산운용 19.71 KRX 자동차 1.80 517,807,734,417 0.27 매우높음 실물(패시브) 0.450000 비과세
67
+ 102970 KODEX 증권 2008/05/29 주식-업종섹터-금융 삼성자산운용 89.70 KRX 증권 2.23 445,533,353,363 -0.23 매우높음 실물(패시브) 0.450000 비과세
68
+ 117680 KODEX 철강 2009/10/30 주식-업종섹터-철강소재 삼성자산운용 30.66 KRX 철강 1.51 21,395,106,450 0.13 매우높음 실물(패시브) 0.450000 비과세
69
+ 445150 KODEX 친환경조선해운액티브 2022/11/15 주식-업종섹터-업종테마 삼성자산운용 103.22 FnGuide K-친환경 선박 지수 8.19 68,363,778,696 -0.35 매우높음 실물(액티브) 0.500000 배당소득세(보유기간과세)
70
+ 0115E0 KODEX 코리아소버린AI 2025/10/21 주식-업종섹터-업종테마 삼성자산운용 0.00 KRX 코리아 소버린 AI 지수 0.07 132,941,610,779 -0.15 매우높음 실물(패시브) 0.450000 비과세
71
+ 266410 KODEX 필수소비재 2017/03/28 주식-업종섹터-생활소비재 삼성자산운용 27.79 KRX 필수소비재 1.47 13,114,945,784 -0.14 보통 실물(패시브) 0.450000 비���세
72
+ 266420 KODEX 헬스케어 2017/03/28 주식-업종섹터-헬스케어 삼성자산운용 31.07 KRX 헬스케어 0.85 101,694,548,405 0.25 매우높음 실물(패시브) 0.090000 비과세
73
+ 487130 KoAct AI인프라액티브 2024/07/09 주식-업종섹터-업종테마 삼성액티브자산운용 89.04 Solactive AI인프라 지수 12.02 29,180,849,510 -0.11 매우높음 실물(액티브) 0.500000 배당소득세(보유기간과세)
74
+ 0074K0 KoAct K수출핵심기업TOP30액티브 2025/07/08 주식-업종섹터-업종테마 삼성액티브자산운용 0.00 KEDI K수출핵심기업TOP30 지수(PR) 12.18 127,461,748,154 -0.27 매우높음 실물(액티브) 0.500000 배당소득세(보유기간과세)
75
+ 462900 KoAct 바이오헬스케어액티브 2023/08/03 주식-업종섹터-업종테마 삼성액티브자산운용 68.68 iSelect 바이오헬스케어 PR 지수 8.17 412,985,332,589 -0.12 매우높음 실물(액티브) 0.500000 배당소득세(보유기간과세)
76
+ 482030 KoAct 반도체&2차전지핵심소재액티브 2024/05/14 주식-업종섹터-업종테마 삼성액티브자산운용 34.62 iSelect 반도체&2차전지핵심소재 지수 11.89 4,294,746,151 -0.40 매우높음 실물(액티브) 0.500000 배당소득세(보유기간과세)
77
+ 449450 PLUS K방산 2023/01/05 주식-업종섹터-업종테마 한화자산운용 137.96 FnGuide K-방위산업 지수 0.38 1,137,467,385,029 0.22 매우높음 실물(패시브) 0.450000 비과세
78
+ 0104G0 PLUS K방산레버리지 2025/09/30 주식-업종섹터-업종테마 한화자산운용 0.00 FnGuide K-방위산업 지수 4.77 17,706,938,527 -0.65 매우높음 실물(패시브) 0.500000 배당소득세(보유기간과세)
79
+ 0090B0 PLUS K방산소부장 2025/08/26 주식-업종섹터-업종테마 한화자산운용 0.00 Akros K방산소부장 지수(PR) 0.62 10,313,836,852 -0.29 매우높음 실물(패시브) 0.450000 비과세
80
+ 421320 PLUS 우주항공&UAM 2022/03/29 주식-업종섹터-업종테마 한화자산운용 50.70 iSelect 우주항공UAM 지수 0.49 40,613,621,527 0.54 매우높음 실물(패시브) 0.450000 비과세
81
+ 457990 PLUS 태양광&ESS 2023/06/20 주식-업종섹터-업종테마 한화자산운용 128.05 FnGuide 태양광 & ESS 지수 0.28 30,044,719,869 -0.34 매우높음 실물(패시브) 0.450000 비과세
82
+ 284980 RISE 200금융 2017/12/08 주식-업종섹터-금융 케이비자산운용 36.04 코스피 200 금융 1.59 15,432,589,697 0.14 매우높음 실물(패시브) 0.190000 비과세
83
+ 465330 RISE 2차전지TOP10 2023/09/12 주식-업종섹터-업종테마 케이비자산운용 -2.69 iSelect 2차전지 TOP10 지수(PR) 0.76 58,453,956,225 0.15 매우높음 실물(패시브) 0.070000 비과세
84
+ 422420 RISE 2차전지액티브 2022/04/08 주식-업종섹터-업종테마 케이비자산운용 -9.89 iSelect 2차전지 지수 (시장가격지수) 3.89 201,623,434,604 -0.48 매우높음 실물(액티브) 0.350000 배당소득세(보유기간과세)
85
+ 367760 RISE 5G테크 2020/10/29 주식-업종섹터-업종테마 케이비자산운용 121.89 FnGuide 5G 테크 지수 0.61 70,099,617,205 0.30 매우높음 실물(패시브) 0.450000 비과세
86
+ 469070 RISE AI&로봇 2023/10/24 주식-업종섹터-업종테마 케이비자산운용 34.41 iSelect AI&로봇 지수(시장가격) 1.08 214,101,516,299 -0.12 매우높음 실물(패시브) 0.400000 비과세
87
+ 0093A0 RISE AI반도체TOP10 2025/08/26 주식-업종섹터-업종테마 케이비자산운용 0.00 FnGuide AI반도체TOP10 지수 0.62 87,377,559,302 -0.06 매우높음 실물(패시브) 0.200000 비과세
88
+ 0101N0 RISE AI전력인프라 2025/09/23 주식-업종섹터-업종테마 케이비자산운용 0.00 KRX-Akros AI 전력인프라 지수 0.47 52,153,862,776 0.21 매우높음 실물(패시브) 0.200000 비과세
89
+ 300640 RISE 게임테마 2018/07/24 주식-업종섹터-업종테마 케이비자산운용 -11.68 WISE 게임 테마 지수 (시장가격지수) 0.36 30,684,174,425 0.31 높음 실물(패시브) 0.300000 비과세
90
+ 401170 RISE 메타버스 2021/10/13 주식-업종섹터-업종테마 케이비자산운용 24.70 iSelect 메타버스 지수(시장가격지수) 0.32 101,444,961,648 0.22 매우높음 실물(패시브) 0.450000 비과세
91
+ 0000Z0 RISE 바이오TOP10액티브 2024/12/24 주식-업종섹터-업종테마 케이비자산운용 0.00 KRX 바이오 TOP 10 지수 14.22 28,757,661,033 0.29 매우높음 실물(액티브) 0.500000 배당소득세(보유기간과세)
92
+ 446700 RISE 배터리 리사이클링 2022/11/01 주식-업종섹터-업종테마 케이비자산운용 -0.74 iSelect 배터리 리사이클링 지수 1.26 14,550,943,724 -0.34 매우높음 실물(패시브) 0.400000 비과세
93
+ 388420 RISE 비메모리반도체액티브 2021/06/10 주식-업종섹터-업종테마 케이비자산운용 68.04 iSelect 비메모리반도체 지수(시장가격지수) 5.82 224,103,784,598 -0.27 매우높음 실물(액티브) 0.500000 배당소득세(보유기간과세)
94
+ 367770 RISE 수소경제테마 2020/10/29 주식-업종섹터-업종테마 케이비자산운용 83.40 FnGuide 수소 경제 테마 지수 1.85 111,397,478,176 -0.34 매우높음 실물(패시브) 0.450000 비과세
95
+ 140570 RISE 수출주 2011/04/15 주식-업종섹터-업종테마 케이비자산운용 53.77 MKF 수출주 지수 0.70 7,005,998,051 0.09 높음 실물(패시브) 0.400000 비과세
96
+ 140580 RISE 우량업종대표주 2011/04/15 주식-업종섹터-업종테마 케이비자산운용 45.48 MKF 우량업종대표주 지수 1.31 10,288,865,072 -0.11 보통 실물(패시브) 0.400000 비과세
97
+ 388280 RISE 컨택트대표 2021/06/10 주식-업종섹터-업종테마 케이비자산운용 21.08 FnGuide 컨택트대표 지수(시장가격지수) 1.28 34,046,615,305 0.29 높음 실물(패시브) 0.450000 비과세
98
+ 253280 RISE 헬스케어 2016/09/23 주식-업종섹터-헬스케어 케이비자산운용 18.19 FnGuide 헬스케어 지수 0.61 9,736,630,439 -0.11 매우높음 실물(패시브) 0.400000 비과세
99
+ 455860 SOL 2차전지소부장Fn 2023/04/25 주식-업종섹터-업종테마 신한자산운용 -0.82 FnGuide 2차전지 소부장 지수(PR) 0.51 144,045,441,209 0.36 매우높음 실물(패시브) 0.450000 비과세
100
+ 455850 SOL AI반도체소부장 2023/04/25 주식-업종섹터-업종테마 신한자산운용 69.84 FnGuide AI 반도체 소부장 지수 0.50 463,545,225,896 0.23 매우높음 실물(패시브) 0.450000 비과세
101
+ 490480 SOL K방산 2024/10/02 주식-업종섹터-업종테마 신한자산운용 113.28 KEDI K방산 지수(PR) 0.58 86,634,729,901 -0.25 매우높음 실물(패시브) 0.450000 비과세
102
+ 475300 SOL 반도체전공정 2024/02/14 주식-업종섹터-업종테마 신한자산운용 49.45 FnGuide 반도체 전공정 지수(PR) 0.49 38,174,181,926 -0.38 매우높음 실물(패시브) 0.450000 비과세
103
+ 475310 SOL 반도체후공정 2024/02/14 주식-업종섹터-업종테마 신한자산운용 111.86 FnGuide 반도체 후공정 지수(PR) 0.82 26,319,815,319 -0.09 매우높음 실물(패시브) 0.450000 비과세
104
+ 464610 SOL 의료기기소부장Fn 2023/08/22 주식-업종섹터-업종테마 신한자산운용 17.05 FnGuide 의료기기소부장지수(PR) 0.38 111,171,362,185 -0.38 매우높음 실물(패시브) 0.450000 비과세
105
+ 466930 SOL 자동차TOP3플러스 2023/10/05 주식-업종섹터-업종테마 신한자산운용 24.36 FnGuide 자동차TOP3플러스지수(PR) 2.01 89,833,346,547 0.04 매우높음 실물(패시브) 0.450000 비과세
106
+ 464600 SOL 자동차소부장Fn 2023/08/22 주식-업종섹터-업종테마 신한자산운용 27.21 FnGuide 자동차소부장지수(PR) 0.59 8,389,969,277 0.30 매우높음 실물(패시브) 0.450000 비과세
107
+ 0005D0 SOL 전고체배터리&실리콘음극재 2025/01/07 주식-업종섹터-업종테마 신한자산운용 0.00 FnGuide 전고체배터리&실리콘음극재 지수(PR) 0.42 37,725,676,389 -0.03 매우높음 실물(패시브) 0.450000 비과세
108
+ 466920 SOL 조선TOP3플러스 2023/10/05 주식-업종섹터-업종테마 신한자산운용 126.01 FnGuide 조선TOP3플러스지수(PR) 0.65 1,903,367,605,463 0.05 매우높음 실물(패시브) 0.450000 비과세
109
+ 0080Y0 SOL 조선TOP3플러스레버리지 2025/07/15 주식-업종섹터-업종테마 신한자산운용 0.00 FnGuide 조선TOP3플러스지수(PR) 3.41 157,506,342,763 -0.24 매우높음 실물(패시브) 0.500000 배당소득세(보유기간과세)
110
+ 444200 SOL 코리아메가테크액티브 2022/10/18 주식-업종섹터-업종테마 신한자산운용 97.61 KEDI 메가테크지수(PR) 8.35 310,655,908,766 0.21 매우높음 실물(액티브) 0.550000 배당소득세(보유기간과세)
111
+ 0105D0 SOL 한국AI소프트웨어 2025/09/23 주식-업종섹터-업종테마 신한자산운용 0.00 KEDI 한국AI소프트웨어 지수(PR) 0.11 19,636,997,805 0.17 매우높음 실물(패시브) 0.450000 비과세
112
+ 0092B0 SOL 한국원자력SMR 2025/08/19 주식-업종섹터-업종테마 신한자산운용 0.00 FnGuide 한국원자력 SMR 지수(PR) 0.05 50,782,191,686 -0.04 매우높음 실물(패시브) 0.450000 비과세
113
+ 0008T0 SOL 화장품TOP3플러스 2025/01/21 주식-업종섹터-업종테마 신한자산운용 0.00 FnGuide 화장품TOP3 플러스 지수(PR) 0.45 103,320,321,870 0.04 매우높음 실물(패시브) 0.450000 비과세
114
+ 139260 TIGER 200 IT 2011/04/06 주식-업종섹터-정보기술 미래에셋자산운용 77.58 코스피 200 정보기술 0.53 482,440,829,603 0.28 매우높음 실물(패시브) 0.400000 비과세
115
+ 139220 TIGER 200 건설 2011/04/06 주식-업종섹터-건설 미래에셋자산운용 53.17 코스피 200 건설 0.75 28,596,377,289 -0.52 매우높음 실물(패시브) 0.400000 비과세
116
+ 139290 TIGER 200 경기소비재 2011/04/06 주식-업종섹터-경기소비재 미래에셋자산운용 22.34 코스피 200 경기소비재 1.66 5,672,859,241 0.19 높음 실물(패시브) 0.400000 비과세
117
+ 139270 TIGER 200 금융 2011/04/06 주식-업종섹터-금융 미래에셋자산운용 34.74 코스피 200 금융 1.60 30,745,367,941 -0.35 매우높음 실물(패시브) 0.400000 비과세
118
+ 227550 TIGER 200 산업재 2015/09/23 주식-업종섹터-산업재 미래에셋자산운용 40.03 코스피 200 산���재 0.94 17,367,679,619 0.24 매우높음 실물(패시브) 0.400000 비과세
119
+ 227560 TIGER 200 생활소비재 2015/09/23 주식-업종섹터-생활소비재 미래에셋자산운용 45.06 코스피 200 생활소비재 1.23 4,963,323,502 0.01 보통 실물(패시브) 0.400000 비과세
120
+ 139250 TIGER 200 에너지화학 2011/04/06 주식-업종섹터-에너지화학 미래에셋자산운용 39.34 코스피 200 에너지/화학 0.86 25,537,387,751 0.30 매우높음 실물(패시브) 0.340000 비과세
121
+ 139230 TIGER 200 중공업 2011/04/06 주식-업종섹터-중공업 미래에셋자산운용 134.67 코스피 200 중공업 0.60 435,779,171,144 -0.16 매우높음 실물(패시브) 0.340000 비과세
122
+ 139240 TIGER 200 철강소재 2011/04/06 주식-업종섹터-철강소재 미래에셋자산운용 29.94 코스피 200 철강/소재 1.64 6,912,039,399 0.06 매우높음 실물(패시브) 0.340000 비과세
123
+ 227540 TIGER 200 헬스케어 2015/09/23 주식-업종섹터-헬스케어 미래에셋자산운용 12.86 코스피 200 헬스케어 1.18 41,209,691,731 -0.46 매우높음 실물(패시브) 0.400000 비과세
124
+ 243880 TIGER 200IT레버리지 2016/05/13 주식-업종섹터-정보기술 미래에셋자산운용 177.90 코스피 200 정보기술 7.71 50,270,779,572 -0.44 매우높음 실물(패시브) 0.630000 배당소득세(보유기간과세)
125
+ 243890 TIGER 200에너지화학레버리지 2016/05/13 주식-업종섹터-에너지화학 미래에셋자산운용 73.00 코스피 200 에너지/화학 9.36 4,932,762,282 0.31 매우높음 실물(패시브) 0.690000 배당소득세(보유기간과세)
126
+ 315270 TIGER 200커뮤니케이션서비스 2019/01/15 주식-업종섹터-커뮤니케이션서비스 미래에셋자산운용 18.29 코스피 200 커뮤니케이션서비스 0.69 5,954,789,243 -0.39 높음 실물(패시브) 0.400000 비과세
127
+ 364980 TIGER 2차전지TOP10 2020/10/07 주식-업종섹터-업종테마 미래에셋자산운용 -7.75 KRX 2차전지 TOP 10 지수 0.85 501,373,159,900 0.13 매우높음 실물(패시브) 0.400000 비과세
128
+ 412570 TIGER 2차전지TOP10레버리지 2021/12/15 주식-업종섹터-업종테마 미래에셋자산운용 -30.97 KRX 2차전지 TOP 10 지수 11.51 128,160,002,344 -0.67 매우높음 실물(패시브) 0.290000 배당소득세(보유기간과세)
129
+ 462010 TIGER 2차전지소재Fn 2023/07/13 주식-업종섹터-업종테마 미래에셋자산운용 -0.89 FnGuide 2차전지소재 (Price Return) 지수 0.49 644,928,833,206 -0.27 매우높음 실물(패시브) 0.390000 비과세
130
+ 305540 TIGER 2차전지테마 2018/09/12 주식-업종섹터-업종테마 미래에셋자산운용 -1.96 WISE 2차전지 테마 지수 1.11 1,080,388,154,464 -0.05 매우높음 실물(패시브) 0.440000 비과세
131
+ 471760 TIGER AI반도체핵심공정 2023/11/21 주식-업종섹터-업종테마 미래에셋자산운용 37.90 iSelect AI반도체핵심공정지수 0.85 123,667,766,919 -0.10 매우높음 실물(패시브) 0.450000 비과세
132
+ 364960 TIGER BBIG 2020/10/07 주식-업종섹터-업종테마 미래에셋자산운용 13.67 KRX BBIG 지수 0.84 125,264,959,349 0.10 높음 실물(패시브) 0.400000 비과세
133
+ 412560 TIGER BBIG레버리지 2021/12/15 주식-업종섹터-업종테마 미래에셋자산운용 17.53 KRX BBIG 지수 10.11 2,023,074,575 0.00 매우높음 실물(패시브) 0.590000 배당소득세(보유기간과세)
134
+ 400970 TIGER Fn메타버스 2021/10/13 주식-업종섹터-업종테마 미래에셋자산운용 9.84 FnGuide 메타버스테마 지수 0.28 71,007,549,432 -0.43 높음 실물(패시브) 0.450000 비과세
135
+ 377990 TIGER Fn신재생에너지 2021/03/05 주식-업종섹터-업종테마 미래에셋자산운용 115.92 FnGuide 신재생에너지 지수 0.39 72,185,648,787 -0.19 매우높음 실물(패시브) 0.500000 비과세
136
+ 417630 TIGER KEDI혁신기업ESG30 2022/02/08 주식-업종섹터-업종테마 미래에셋자산운용 40.11 KEDI 혁신기업ESG30 지수(시장가격 지수) 0.62 15,986,773,272 -0.09 높음 실물(패시브) 0.500000 비과세
137
+ 300610 TIGER K게임 2018/07/24 주식-업종섹터-업종테마 미래에셋자산운용 -12.55 WISE K게임 테마 지수 0.25 16,621,761,763 0.27 높음 실물(패시브) 0.500000 비과세
138
+ 463250 TIGER K방산&우주 2023/07/25 주식-업종섹터-업종테마 미래에셋자산운용 114.71 iSelect K방산&우주 0.87 237,939,713,501 0.08 매우높음 실물(패시브) 0.450000 비과세
139
+ 364990 TIGER 게임TOP10 2020/10/07 주식-업종섹터-업종테마 미래에셋자산운용 -6.09 KRX 게임 TOP 10 지수 0.46 59,371,478,099 0.04 매우높음 실물(패시브) 0.400000 비과세
140
+ 139280 TIGER 경기방어 2011/04/06 주식-업종섹터-업종테마 미래에셋자산운용 24.63 코스피 200 경기방어소비재 1.23 60,928,982,097 -0.13 보통 실물(패시브) 0.400000 비과세
141
+ 228810 TIGER 미디어컨텐츠 2015/10/07 주식-업종섹터-업종테마 미래에셋자산운용 -3.20 WISE 미디어컨텐츠 지수 0.53 114,029,189,510 -0.07 매우높음 실물(패시브) 0.440000 비과세
142
+ 364970 TIGER 바이오TOP10 2020/10/07 주식-업종섹터-업종테마 미래에셋자산운용 18.33 KRX 바이오 TOP 10 지수 1.31 303,286,058,396 0.43 매우높음 실물(패시브) 0.400000 비과세
143
+ 091230 TIGER 반도체 2006/06/27 주식-업종섹터-정보기술 미래에셋자산운용 84.33 KRX 반도체 0.92 414,491,946,301 -0.11 매우높음 실물(패시브) 0.460000 비과세
144
+ 396500 TIGER 반도체TOP10 2021/08/10 주식-업종섹터-업종테마 미래에셋자산운용 83.44 FnGuide 반도체TOP10 지수 0.48 1,778,484,570,444 -0.04 매우높음 실물(패시브) 0.450000 비과세
145
+ 488080 TIGER 반도체TOP10레버리지 2024/07/23 주식-업종섹터-업종테마 미래에셋자산운용 182.70 FnGuide 반도체TOP10 지수 3.66 139,331,186,772 -0.46 매우높음 실물(패시브) 0.490000 배당소득세(보유기간과세)
146
+ 098560 TIGER 방송통신 2007/09/07 주식-업종섹터-경기소비재 미래에셋자산운용 17.11 KRX 방송통신 1.48 3,911,319,030 -0.47 보통 실물(패시브) 0.460000 비과세
147
+ 157490 TIGER 소프트웨어 2012/05/16 주식-업종섹터-정보기술 미래에셋자산운용 18.38 FnGuide 소프트웨어 지수 0.27 153,227,532,439 0.08 매우높음 실물(패시브) 0.400000 비과세
148
+ 228800 TIGER 여행레저 2015/10/07 주식-업종섹터-업종테마 미래에셋자산운용 8.27 WISE 여행레저 지수 0.98 105,069,655,662 -0.06 높음 실물(패시브) 0.500000 비과세
149
+ 091220 TIGER 은행 2006/06/27 주식-업종섹터-금융 미래에셋자산운용 35.48 KRX 은행 2.25 16,612,247,670 0.25 매우높음 실물(패시브) 0.460000 비과세
150
+ 307510 TIGER 의료기기 2018/11/08 주식-업종섹터-업종테마 미래에셋자산운용 24.31 FnGuide 의료기기 지수 2.12 8,760,139,773 -0.34 매우높음 실물(패시브) 0.500000 비과세
151
+ 365000 TIGER 인터넷TOP10 2020/10/07 주식-업종섹터-업종테마 미래에셋자산운용 27.07 KRX 인터넷 TOP 10 지수 0.43 87,355,001,026 -0.03 매우높음 실물(패시브) 0.400000 비과세
152
+ 494670 TIGER 조선TOP10 2024/10/22 주식-업종섹터-업종테마 미래에셋자산운용 125.30 iSelect 조선TOP10 Index(PR) 0.71 755,131,894,284 -0.03 매우높음 실물(패시브) 0.350000 비과세
153
+ 157500 TIGER 증권 2012/05/16 주식-업종섹터-금융 미래에셋자산운용 73.68 FnGuide 증권 지수 1.89 181,949,595,941 -0.02 매우높음 실물(패시브) 0.400000 비과세
154
+ 307520 TIGER 지주회사 2018/11/08 주식-업종섹터-업종테마 미래에셋자산운용 59.12 FnGuide 지주회사 지수 1.23 306,039,073,334 -0.28 매우높음 실물(패시브) 0.500000 비과세
155
+ 0117V0 TIGER 코리아AI전력기기TOP3플러스 2025/10/21 주식-업종섹터-업종테마 미래에셋자산운용 0.00 KEDI 코리아AI전력기기TOP3플러스 지수 0.40 323,648,752,739 -0.01 매우높음 실물(패시브) 0.400000 비과세
156
+ 0091P0 TIGER 코리아원자력 2025/08/19 주식-업종섹터-업종테마 미래에셋자산운용 0.00 iSelect 코리아 원자력 지수 (Price Return) 0.16 283,378,607,405 -0.05 매우높음 실물(패시브) 0.500000 비과세
157
+ 471780 TIGER 코리아테크액티브 2023/11/28 주식-업종섹터-정보기술 미래에셋자산운용 103.09 KRX 정보기술 10.18 25,435,694,445 0.01 매우높음 실물(액티브) 0.770000 배당소득세(보유기간과세)
158
+ 261060 TIGER 코스닥150IT 2016/12/15 주식-업종섹터-정보기술 미래에셋자산운용 35.60 코스닥 150 정보기술 0.68 5,297,328,688 -0.26 매우높음 실물(패시브) 0.400000 비과세
159
+ 261070 TIGER 코스닥150바이오테크 2016/12/15 주식-업종섹터-헬스케어 미래에셋자산운용 42.38 코스닥 150 헬스케어 0.87 42,325,099,216 0.23 매우높음 실물(패시브) 0.400000 비과세
160
+ 387280 TIGER 퓨처모빌리티액티브 2021/05/25 주식-업종섹터-업종테마 미래에셋자산운용 25.77 FnGuide 퓨처모빌리티 지수 15.66 13,046,166,407 -0.36 매우높음 실물(액티브) 0.770000 배당소득세(보유기간과세)
161
+ 143860 TIGER 헬스케어 2011/07/18 주식-업종섹터-헬스케어 미래에셋자산운용 29.54 KRX 헬스케어 0.82 223,530,453,153 0.00 매우높음 실물(패시브) 0.400000 비과세
162
+ 228790 TIGER 화장품 2015/10/07 주식-업종섹터-업종테마 미래에셋자산운용 38.09 WISE 화장품 지수 0.47 411,050,378,601 -0.12 매우높음 실물(패시브) 0.500000 비과세
163
+ 463050 TIMEFOLIO K바이오액티브 2023/08/17 주식-업종섹터-헬스케어 타임폴리오자산운용 67.59 KRX 헬스케어 12.69 363,799,357,018 -0.16 매우높음 실물(액티브) 0.800000 배당소득세(보유기간과세)
164
+ 385710 TIMEFOLIO K이노베이션액티브 2021/05/25 주식-업종섹터-업종테마 타임폴리오자산운용 24.20 KRX BBIG 지수 12.38 12,341,517,162 0.02 높음 실물(액티브) 0.800000 배당소득세(보유기간과세)
165
+ 494220 UNICORN SK하이닉스밸류체인액티브 2024/11/07 주식-업종섹터-업종테마 현대자산운용 108.01 FnGuide SK하이닉스밸류체인 지수 15.55 53,342,441,125 -0.14 매우높음 실물(액티브) 0.500000 배��소득세(보유기간과세)
166
+ 470310 UNICORN 생성형AI강소기업액티브 2023/11/21 주식-업종섹터-업종테마 현대자산운용 51.63 iSelect AI 지수 17.91 2,721,391,876 0.22 매우높음 실물(액티브) 0.500000 배당소득세(보유기간과세)
167
+ 422260 VITA MZ소비액티브 2022/03/29 주식-업종섹터-업종테마 한국투자밸류자산운용 40.01 FnGuide MZ 소비 지수 12.93 15,307,136,031 -0.39 매우높음 실물(액티브) 0.600000 배당소득세(보유기간과세)
168
+ 474590 WON 반도체밸류체인액티브 2024/01/16 주식-업종섹터-업종테마 우리자산운용 113.01 FnGuide 반도체 밸류체인 (Price Return) 지수 7.56 80,817,422,893 0.15 매우높음 실물(액티브) 0.310000 배당소득세(보유기간과세)
169
+ 0001P0 마이티 바이오시밀러&CDMO액티브 2024/12/24 주식-업종섹터-업종테마 디비자산운용 0.00 FnGuide 바이오시밀러&CDMO 지수 11.53 12,826,409,196 0.25 매우높음 실물(액티브) 0.805000 배당소득세(보유기간과세)
data/etf_raw_tmp.csv ADDED
The diff for this file is too large to render. See raw diff
 
data/industry_info.csv ADDED
@@ -0,0 +1,517 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ NAME,INDUSTRY,SECTOR
2
+ "3M","Conglomerates","Industrials"
3
+ "A. O. Smith","Specialty Industrial Machinery","Industrials"
4
+ "AES Corporation","Utilities - Diversified","Utilities"
5
+ "APA Corporation","Oil & Gas E&P","Energy"
6
+ "AT&T","Telecom Services","Communication Services"
7
+ "AbbVie","Drug Manufacturers - General","Healthcare"
8
+ "Abbott Laboratories","Medical Devices","Healthcare"
9
+ "Accenture","Information Technology Services","Technology"
10
+ "Adobe Inc.","Software - Application","Technology"
11
+ "Advanced Micro Devices","Semiconductors","Technology"
12
+ "Aflac","Insurance - Life","Financial Services"
13
+ "Agilent Technologies","Diagnostics & Research","Healthcare"
14
+ "Air Products","Specialty Chemicals","Basic Materials"
15
+ "Airbnb","Travel Services","Consumer Cyclical"
16
+ "Akamai Technologies","Software - Infrastructure","Technology"
17
+ "Albemarle Corporation","Specialty Chemicals","Basic Materials"
18
+ "Alexandria Real Estate Equities","REIT - Office","Real Estate"
19
+ "Align Technology","Medical Instruments & Supplies","Healthcare"
20
+ "Allegion","Security & Protection Services","Industrials"
21
+ "Alliant Energy","Utilities - Regulated Electric","Utilities"
22
+ "Allstate","Insurance - Property & Casualty","Financial Services"
23
+ "Alphabet Inc. (Class A)","Internet Content & Information","Communication Services"
24
+ "Alphabet Inc. (Class C)","Internet Content & Information","Communication Services"
25
+ "Altria","Tobacco","Consumer Defensive"
26
+ "Amazon","Internet Retail","Consumer Cyclical"
27
+ "Amcor","Packaging & Containers","Consumer Cyclical"
28
+ "Ameren","Utilities - Regulated Electric","Utilities"
29
+ "American Electric Power","Utilities - Regulated Electric","Utilities"
30
+ "American Express","Credit Services","Financial Services"
31
+ "American International Group","Insurance - Diversified","Financial Services"
32
+ "American Tower","REIT - Specialty","Real Estate"
33
+ "American Water Works","Utilities - Regulated Water","Utilities"
34
+ "Ameriprise Financial","Asset Management","Financial Services"
35
+ "Ametek","Specialty Industrial Machinery","Industrials"
36
+ "Amgen","Drug Manufacturers - General","Healthcare"
37
+ "Amphenol","Electronic Components","Technology"
38
+ "Analog Devices","Semiconductors","Technology"
39
+ "Aon plc","Insurance Brokers","Financial Services"
40
+ "Apollo Global Management","Asset Management","Financial Services"
41
+ "AppLovin","Advertising Agencies","Communication Services"
42
+ "Apple Inc.","Consumer Electronics","Technology"
43
+ "Applied Materials","Semiconductor Equipment & Materials","Technology"
44
+ "Aptiv","Auto Parts","Consumer Cyclical"
45
+ "Arch Capital Group","Insurance - Diversified","Financial Services"
46
+ "Archer Daniels Midland","Farm Products","Consumer Defensive"
47
+ "Arista Networks","Computer Hardware","Technology"
48
+ "Arthur J. Gallagher & Co.","Insurance Brokers","Financial Services"
49
+ "Assurant","Insurance - Property & Casualty","Financial Services"
50
+ "Atmos Energy","Utilities - Regulated Gas","Utilities"
51
+ "AutoZone","Auto Parts","Consumer Cyclical"
52
+ "Autodesk","Software - Application","Technology"
53
+ "Automatic Data Processing","Software - Application","Technology"
54
+ "AvalonBay Communities","REIT - Residential","Real Estate"
55
+ "Avery Dennison","Packaging & Containers","Consumer Cyclical"
56
+ "Axon Enterprise","Aerospace & Defense","Industrials"
57
+ "BNY Mellon","Banks - Diversified","Financial Services"
58
+ "BXP, Inc.","REIT - Office","Real Estate"
59
+ "Baker Hughes","Oil & Gas Equipment & Services","Energy"
60
+ "Ball Corporation","Packaging & Containers","Consumer Cyclical"
61
+ "Bank of America","Banks - Diversified","Financial Services"
62
+ "Baxter International","Medical Instruments & Supplies","Healthcare"
63
+ "Becton Dickinson","Medical Instruments & Supplies","Healthcare"
64
+ "Best Buy","Specialty Retail","Consumer Cyclical"
65
+ "Bio-Techne","Biotechnology","Healthcare"
66
+ "Biogen","Drug Manufacturers - General","Healthcare"
67
+ "BlackRock","Asset Management","Financial Services"
68
+ "Blackstone Inc.","Asset Management","Financial Services"
69
+ "Block, Inc.","Software - Infrastructure","Technology"
70
+ "Boeing","Aerospace & Defense","Industrials"
71
+ "Booking Holdings","Travel Services","Consumer Cyclical"
72
+ "Boston Scientific","Medical Devices","Healthcare"
73
+ "Bristol Myers Squibb","Drug Manufacturers - General","Healthcare"
74
+ "Broadcom","Semiconductors","Technology"
75
+ "Broadridge Financial Solutions","Information Technology Services","Technology"
76
+ "Brown & Brown","Insurance Brokers","Financial Services"
77
+ "Builders FirstSource","Building Products & Equipment","Industrials"
78
+ "Bunge Global","Farm Products","Consumer Defensive"
79
+ "C.H. Robinson","Integrated Freight & Logistics","Industrials"
80
+ "CBRE Group","Real Estate Services","Real Estate"
81
+ "CDW Corporation","Information Technology Services","Technology"
82
+ "CF Industries","Agricultural Inputs","Basic Materials"
83
+ "CME Group","Financial Data & Stock Exchanges","Financial Services"
84
+ "CMS Energy","Utilities - Regulated Electric","Utilities"
85
+ "CSX Corporation","Railroads","Industrials"
86
+ "CVS Health","Healthcare Plans","Healthcare"
87
+ "Cadence Design Systems","Software - Application","Technology"
88
+ "Camden Property Trust","REIT - Residential","Real Estate"
89
+ "Campbell's Company (The)","Packaged Foods","Consumer Defensive"
90
+ "Capital One","Credit Services","Financial Services"
91
+ "Cardinal Health","Medical Distribution","Healthcare"
92
+ "Carnival","Travel Services","Consumer Cyclical"
93
+ "Carrier Global","Building Products & Equipment","Industrials"
94
+ "Caterpillar Inc.","Farm & Heavy Construction Machinery","Industrials"
95
+ "Cboe Global Markets","Financial Data & Stock Exchanges","Financial Services"
96
+ "Cencora","Medical Distribution","Healthcare"
97
+ "Centene Corporation","Healthcare Plans","Healthcare"
98
+ "CenterPoint Energy","Utilities - Regulated Electric","Utilities"
99
+ "Charles River Laboratories","Diagnostics & Research","Healthcare"
100
+ "Charles Schwab Corporation","Capital Markets","Financial Services"
101
+ "Charter Communications","Telecom Services","Communication Services"
102
+ "Chevron Corporation","Oil & Gas Integrated","Energy"
103
+ "Chipotle Mexican Grill","Restaurants","Consumer Cyclical"
104
+ "Chubb Limited","Insurance - Property & Casualty","Financial Services"
105
+ "Church & Dwight","Household & Personal Products","Consumer Defensive"
106
+ "Cigna","Healthcare Plans","Healthcare"
107
+ "Cincinnati Financial","Insurance - Property & Casualty","Financial Services"
108
+ "Cintas","Specialty Business Services","Industrials"
109
+ "Cisco","Communication Equipment","Technology"
110
+ "Citigroup","Banks - Diversified","Financial Services"
111
+ "Citizens Financial Group","Banks - Regional","Financial Services"
112
+ "Clorox","Household & Personal Products","Consumer Defensive"
113
+ "CoStar Group","Real Estate Services","Real Estate"
114
+ "Coca-Cola Company (The)","Beverages - Non-Alcoholic","Consumer Defensive"
115
+ "Cognizant","Information Technology Services","Technology"
116
+ "Coinbase","Financial Data & Stock Exchanges","Financial Services"
117
+ "Colgate-Palmolive","Household & Personal Products","Consumer Defensive"
118
+ "Comcast","Telecom Services","Communication Services"
119
+ "Conagra Brands","Packaged Foods","Consumer Defensive"
120
+ "ConocoPhillips","Oil & Gas E&P","Energy"
121
+ "Consolidated Edison","Utilities - Regulated Electric","Utilities"
122
+ "Constellation Brands","Beverages - Brewers","Consumer Defensive"
123
+ "Constellation Energy","Utilities - Independent Power Producers","Utilities"
124
+ "Cooper Companies (The)","Medical Instruments & Supplies","Healthcare"
125
+ "Copart","Specialty Business Services","Industrials"
126
+ "Corning Inc.","Electronic Components","Technology"
127
+ "Corpay","Software - Infrastructure","Technology"
128
+ "Corteva","Agricultural Inputs","Basic Materials"
129
+ "Costco","Discount Stores","Consumer Defensive"
130
+ "Coterra","Oil & Gas E&P","Energy"
131
+ "CrowdStrike","Software - Infrastructure","Technology"
132
+ "Crown Castle","REIT - Specialty","Real Estate"
133
+ "Cummins","Specialty Industrial Machinery","Industrials"
134
+ "D. R. Horton","Residential Construction","Consumer Cyclical"
135
+ "DTE Energy","Utilities - Regulated Electric","Utilities"
136
+ "DaVita","Medical Care Facilities","Healthcare"
137
+ "Danaher Corporation","Diagnostics & Research","Healthcare"
138
+ "Darden Restaurants","Restaurants","Consumer Cyclical"
139
+ "Datadog","Software - Application","Technology"
140
+ "Dayforce","Software - Application","Technology"
141
+ "Deckers Brands","Footwear & Accessories","Consumer Cyclical"
142
+ "Deere & Company","Farm & Heavy Construction Machinery","Industrials"
143
+ "Dell Technologies","Computer Hardware","Technology"
144
+ "Delta Air Lines","Airlines","Industrials"
145
+ "Devon Energy","Oil & Gas E&P","Energy"
146
+ "Dexcom","Medical Devices","Healthcare"
147
+ "Diamondback Energy","Oil & Gas E&P","Energy"
148
+ "Digital Realty","REIT - Specialty","Real Estate"
149
+ "Dollar General","Discount Stores","Consumer Defensive"
150
+ "Dollar Tree","Discount Stores","Consumer Defensive"
151
+ "Dominion Energy","Utilities - Regulated Electric","Utilities"
152
+ "Domino's","Restaurants","Consumer Cyclical"
153
+ "DoorDash","Internet Retail","Consumer Cyclical"
154
+ "Dover Corporation","Specialty Industrial Machinery","Industrials"
155
+ "Dow Inc.","Chemicals","Basic Materials"
156
+ "DuPont","Specialty Chemicals","Basic Materials"
157
+ "Duke Energy","Utilities - Regulated Electric","Utilities"
158
+ "EOG Resources","Oil & Gas E&P","Energy"
159
+ "EPAM Systems","Information Technology Services","Technology"
160
+ "EQT Corporation","Oil & Gas E&P","Energy"
161
+ "Eaton Corporation","Specialty Industrial Machinery","Industrials"
162
+ "Ecolab","Specialty Chemicals","Basic Materials"
163
+ "Edison International","Utilities - Regulated Electric","Utilities"
164
+ "Edwards Lifesciences","Medical Devices","Healthcare"
165
+ "Electronic Arts","Electronic Gaming & Multimedia","Communication Services"
166
+ "Elevance Health","Healthcare Plans","Healthcare"
167
+ "Emcor","Engineering & Construction","Industrials"
168
+ "Emerson Electric","Specialty Industrial Machinery","Industrials"
169
+ "Entergy","Utilities - Regulated Electric","Utilities"
170
+ "Equifax","Consulting Services","Industrials"
171
+ "Equinix","REIT - Specialty","Real Estate"
172
+ "Equity Residential","REIT - Residential","Real Estate"
173
+ "Erie Indemnity","Insurance Brokers","Financial Services"
174
+ "Essex Property Trust","REIT - Residential","Real Estate"
175
+ "Estée Lauder Companies (The)","Household & Personal Products","Consumer Defensive"
176
+ "Everest Group","Insurance - Reinsurance","Financial Services"
177
+ "Evergy","Utilities - Regulated Electric","Utilities"
178
+ "Eversource Energy","Utilities - Regulated Electric","Utilities"
179
+ "Exelon","Utilities - Regulated Electric","Utilities"
180
+ "Expand Energy","Oil & Gas E&P","Energy"
181
+ "Expedia Group","Travel Services","Consumer Cyclical"
182
+ "Expeditors International","Integrated Freight & Logistics","Industrials"
183
+ "Extra Space Storage","REIT - Industrial","Real Estate"
184
+ "ExxonMobil","Oil & Gas Integrated","Energy"
185
+ "F5, Inc.","Software - Infrastructure","Technology"
186
+ "FactSet","Financial Data & Stock Exchanges","Financial Services"
187
+ "Fair Isaac","Software - Application","Technology"
188
+ "Fastenal","Industrial Distribution","Industrials"
189
+ "FedEx","Integrated Freight & Logistics","Industrials"
190
+ "Federal Realty Investment Trust","REIT - Retail","Real Estate"
191
+ "Fidelity National Information Services","Information Technology Services","Technology"
192
+ "Fifth Third Bancorp","Banks - Regional","Financial Services"
193
+ "First Solar","Solar","Technology"
194
+ "FirstEnergy","Utilities - Regulated Electric","Utilities"
195
+ "Ford Motor Company","Auto Manufacturers","Consumer Cyclical"
196
+ "Fortinet","Software - Infrastructure","Technology"
197
+ "Fortive","Scientific & Technical Instruments","Technology"
198
+ "Fox Corporation (Class A)","Entertainment","Communication Services"
199
+ "Fox Corporation (Class B)","Entertainment","Communication Services"
200
+ "Franklin Resources","Asset Management","Financial Services"
201
+ "Freeport-McMoRan","Copper","Basic Materials"
202
+ "GE Aerospace","Aerospace & Defense","Industrials"
203
+ "GE HealthCare","Health Information Services","Healthcare"
204
+ "GE Vernova","Specialty Industrial Machinery","Industrials"
205
+ "Garmin","Scientific & Technical Instruments","Technology"
206
+ "Gartner","Information Technology Services","Technology"
207
+ "Gen Digital","Software - Infrastructure","Technology"
208
+ "Generac","Specialty Industrial Machinery","Industrials"
209
+ "General Dynamics","Aerospace & Defense","Industrials"
210
+ "General Mills","Packaged Foods","Consumer Defensive"
211
+ "General Motors","Auto Manufacturers","Consumer Cyclical"
212
+ "Genuine Parts Company","Auto Parts","Consumer Cyclical"
213
+ "Gilead Sciences","Drug Manufacturers - General","Healthcare"
214
+ "Global Payments","Specialty Business Services","Industrials"
215
+ "Globe Life","Insurance - Life","Financial Services"
216
+ "GoDaddy","Software - Infrastructure","Technology"
217
+ "Goldman Sachs","Capital Markets","Financial Services"
218
+ "HCA Healthcare","Medical Care Facilities","Healthcare"
219
+ "HP Inc.","Computer Hardware","Technology"
220
+ "Halliburton","Oil & Gas Equipment & Services","Energy"
221
+ "Hartford (The)","Insurance - Property & Casualty","Financial Services"
222
+ "Hasbro","Leisure","Consumer Cyclical"
223
+ "Healthpeak Properties","REIT - Healthcare Facilities","Real Estate"
224
+ "Henry Schein","Medical Distribution","Healthcare"
225
+ "Hershey Company (The)","Confectioners","Consumer Defensive"
226
+ "Hewlett Packard Enterprise","Communication Equipment","Technology"
227
+ "Hilton Worldwide","Lodging","Consumer Cyclical"
228
+ "Hologic","Medical Instruments & Supplies","Healthcare"
229
+ "Home Depot (The)","Home Improvement Retail","Consumer Cyclical"
230
+ "Honeywell","Conglomerates","Industrials"
231
+ "Hormel Foods","Packaged Foods","Consumer Defensive"
232
+ "Host Hotels & Resorts","REIT - Hotel & Motel","Real Estate"
233
+ "Howmet Aerospace","Aerospace & Defense","Industrials"
234
+ "Hubbell Incorporated","Electrical Equipment & Parts","Industrials"
235
+ "Humana","Healthcare Plans","Healthcare"
236
+ "Huntington Bancshares","Banks - Regional","Financial Services"
237
+ "Huntington Ingalls Industries","Aerospace & Defense","Industrials"
238
+ "IBM","Information Technology Services","Technology"
239
+ "IDEX Corporation","Specialty Industrial Machinery","Industrials"
240
+ "IQVIA","Diagnostics & Research","Healthcare"
241
+ "Idexx Laboratories","Diagnostics & Research","Healthcare"
242
+ "Illinois Tool Works","Specialty Industrial Machinery","Industrials"
243
+ "Incyte","Biotechnology","Healthcare"
244
+ "Ingersoll Rand","Specialty Industrial Machinery","Industrials"
245
+ "Insulet Corporation","Medical Devices","Healthcare"
246
+ "Intel","Semiconductors","Technology"
247
+ "Interactive Brokers","Capital Markets","Financial Services"
248
+ "Intercontinental Exchange","Financial Data & Stock Exchanges","Financial Services"
249
+ "International Flavors & Fragrances","Specialty Chemicals","Basic Materials"
250
+ "International Paper","Packaging & Containers","Consumer Cyclical"
251
+ "Interpublic Group of Companies (The)","Advertising Agencies","Communication Services"
252
+ "Intuit","Software - Application","Technology"
253
+ "Intuitive Surgical","Medical Instruments & Supplies","Healthcare"
254
+ "Invesco","Asset Management","Financial Services"
255
+ "Invitation Homes","REIT - Residential","Real Estate"
256
+ "Iron Mountain","REIT - Specialty","Real Estate"
257
+ "J.B. Hunt","Integrated Freight & Logistics","Industrials"
258
+ "J.M. Smucker Company (The)","Packaged Foods","Consumer Defensive"
259
+ "JPMorgan Chase","Banks - Diversified","Financial Services"
260
+ "Jabil","Electronic Components","Technology"
261
+ "Jack Henry & Associates","Information Technology Services","Technology"
262
+ "Jacobs Solutions","Engineering & Construction","Industrials"
263
+ "Johnson & Johnson","Drug Manufacturers - General","Healthcare"
264
+ "Johnson Controls","Building Products & Equipment","Industrials"
265
+ "KKR & Co.","Asset Management","Financial Services"
266
+ "KLA Corporation","Semiconductor Equipment & Materials","Technology"
267
+ "Kellanova","Packaged Foods","Consumer Defensive"
268
+ "Kenvue","Household & Personal Products","Consumer Defensive"
269
+ "Keurig Dr Pepper","Beverages - Non-Alcoholic","Consumer Defensive"
270
+ "KeyCorp","Banks - Regional","Financial Services"
271
+ "Keysight Technologies","Scientific & Technical Instruments","Technology"
272
+ "Kimberly-Clark","Household & Personal Products","Consumer Defensive"
273
+ "Kimco Realty","REIT - Retail","Real Estate"
274
+ "Kinder Morgan","Oil & Gas Midstream","Energy"
275
+ "Kraft Heinz","Packaged Foods","Consumer Defensive"
276
+ "Kroger","Grocery Stores","Consumer Defensive"
277
+ "L3Harris","Aerospace & Defense","Industrials"
278
+ "LKQ Corporation","Auto Parts","Consumer Cyclical"
279
+ "Labcorp","Diagnostics & Research","Healthcare"
280
+ "Lam Research","Semiconductor Equipment & Materials","Technology"
281
+ "Lamb Weston","Packaged Foods","Consumer Defensive"
282
+ "Las Vegas Sands","Resorts & Casinos","Consumer Cyclical"
283
+ "Leidos","Information Technology Services","Technology"
284
+ "Lennar","Residential Construction","Consumer Cyclical"
285
+ "Lennox International","Building Products & Equipment","Industrials"
286
+ "Lilly (Eli)","Drug Manufacturers - General","Healthcare"
287
+ "Linde plc","Specialty Chemicals","Basic Materials"
288
+ "Live Nation Entertainment","Entertainment","Communication Services"
289
+ "Lockheed Martin","Aerospace & Defense","Industrials"
290
+ "Loews Corporation","Insurance - Property & Casualty","Financial Services"
291
+ "Lowe's","Home Improvement Retail","Consumer Cyclical"
292
+ "Lululemon Athletica","Apparel Retail","Consumer Cyclical"
293
+ "LyondellBasell","Specialty Chemicals","Basic Materials"
294
+ "M&T Bank","Banks - Regional","Financial Services"
295
+ "MGM Resorts","Resorts & Casinos","Consumer Cyclical"
296
+ "MSCI Inc.","Financial Data & Stock Exchanges","Financial Services"
297
+ "Marathon Petroleum","Oil & Gas Refining & Marketing","Energy"
298
+ "Marriott International","Lodging","Consumer Cyclical"
299
+ "Marsh McLennan","Insurance Brokers","Financial Services"
300
+ "Martin Marietta Materials","Building Materials","Basic Materials"
301
+ "Masco","Building Products & Equipment","Industrials"
302
+ "Mastercard","Credit Services","Financial Services"
303
+ "Match Group","Internet Content & Information","Communication Services"
304
+ "McCormick & Company","Packaged Foods","Consumer Defensive"
305
+ "McDonald's","Restaurants","Consumer Cyclical"
306
+ "McKesson Corporation","Medical Distribution","Healthcare"
307
+ "Medtronic","Medical Devices","Healthcare"
308
+ "Merck & Co.","Drug Manufacturers - General","Healthcare"
309
+ "MetLife","Insurance - Life","Financial Services"
310
+ "Meta Platforms, Inc.","Internet Content & Information","Communication Services"
311
+ "Mettler Toledo","Diagnostics & Research","Healthcare"
312
+ "Microchip Technology","Semiconductors","Technology"
313
+ "Micron Technology","Semiconductors","Technology"
314
+ "Microsoft","Software - Infrastructure","Technology"
315
+ "Mid-America Apartment Communities","REIT - Residential","Real Estate"
316
+ "Moderna","Biotechnology","Healthcare"
317
+ "Mohawk Industries","Furnishings, Fixtures & Appliances","Consumer Cyclical"
318
+ "Molina Healthcare","Healthcare Plans","Healthcare"
319
+ "Molson Coors Beverage Company","Beverages - Brewers","Consumer Defensive"
320
+ "Mondelez International","Confectioners","Consumer Defensive"
321
+ "Monolithic Power Systems","Semiconductors","Technology"
322
+ "Monster Beverage","Beverages - Non-Alcoholic","Consumer Defensive"
323
+ "Moody's Corporation","Financial Data & Stock Exchanges","Financial Services"
324
+ "Morgan Stanley","Capital Markets","Financial Services"
325
+ "Mosaic Company (The)","Agricultural Inputs","Basic Materials"
326
+ "Motorola Solutions","Communication Equipment","Technology"
327
+ "NRG Energy","Utilities - Independent Power Producers","Utilities"
328
+ "NVR, Inc.","Residential Construction","Consumer Cyclical"
329
+ "NXP Semiconductors","Semiconductors","Technology"
330
+ "Nasdaq, Inc.","Financial Data & Stock Exchanges","Financial Services"
331
+ "NetApp","Software - Infrastructure","Technology"
332
+ "Netflix","Entertainment","Communication Services"
333
+ "Newmont","Gold","Basic Materials"
334
+ "News Corp (Class A)","Entertainment","Communication Services"
335
+ "News Corp (Class B)","Entertainment","Communication Services"
336
+ "NextEra Energy","Utilities - Regulated Electric","Utilities"
337
+ "NiSource","Utilities - Regulated Gas","Utilities"
338
+ "Nike, Inc.","Footwear & Accessories","Consumer Cyclical"
339
+ "Nordson Corporation","Specialty Industrial Machinery","Industrials"
340
+ "Norfolk Southern","Railroads","Industrials"
341
+ "Northern Trust","Asset Management","Financial Services"
342
+ "Northrop Grumman","Aerospace & Defense","Industrials"
343
+ "Norwegian Cruise Line Holdings","Travel Services","Consumer Cyclical"
344
+ "Nucor","Steel","Basic Materials"
345
+ "Nvidia","Semiconductors","Technology"
346
+ "ON Semiconductor","Semiconductors","Technology"
347
+ "Occidental Petroleum","Oil & Gas E&P","Energy"
348
+ "Old Dominion","Trucking","Industrials"
349
+ "Omnicom Group","Advertising Agencies","Communication Services"
350
+ "Oneok","Oil & Gas Midstream","Energy"
351
+ "Oracle Corporation","Software - Infrastructure","Technology"
352
+ "Otis Worldwide","Specialty Industrial Machinery","Industrials"
353
+ "O’Reilly Automotive","Auto Parts","Consumer Cyclical"
354
+ "PG&E Corporation","Utilities - Regulated Electric","Utilities"
355
+ "PNC Financial Services","Banks - Regional","Financial Services"
356
+ "PPG Industries","Specialty Chemicals","Basic Materials"
357
+ "PPL Corporation","Utilities - Regulated Electric","Utilities"
358
+ "PTC Inc.","Software - Application","Technology"
359
+ "Paccar","Farm & Heavy Construction Machinery","Industrials"
360
+ "Packaging Corporation of America","Packaging & Containers","Consumer Cyclical"
361
+ "Palantir Technologies","Software - Infrastructure","Technology"
362
+ "Palo Alto Networks","Software - Infrastructure","Technology"
363
+ "Paramount Skydance Corporation","Entertainment","Communication Services"
364
+ "Parker Hannifin","Specialty Industrial Machinery","Industrials"
365
+ "PayPal","Credit Services","Financial Services"
366
+ "Paychex","Software - Application","Technology"
367
+ "Paycom","Software - Application","Technology"
368
+ "Pentair","Specialty Industrial Machinery","Industrials"
369
+ "PepsiCo","Beverages - Non-Alcoholic","Consumer Defensive"
370
+ "Pfizer","Drug Manufacturers - General","Healthcare"
371
+ "Philip Morris International","Tobacco","Consumer Defensive"
372
+ "Phillips 66","Oil & Gas Refining & Marketing","Energy"
373
+ "Pinnacle West Capital","Utilities - Regulated Electric","Utilities"
374
+ "Pool Corporation","Industrial Distribution","Industrials"
375
+ "Principal Financial Group","Asset Management","Financial Services"
376
+ "Procter & Gamble","Household & Personal Products","Consumer Defensive"
377
+ "Progressive Corporation","Insurance - Property & Casualty","Financial Services"
378
+ "Prologis","REIT - Industrial","Real Estate"
379
+ "Prudential Financial","Insurance - Life","Financial Services"
380
+ "Public Service Enterprise Group","Utilities - Regulated Electric","Utilities"
381
+ "Public Storage","REIT - Industrial","Real Estate"
382
+ "PulteGroup","Residential Construction","Consumer Cyclical"
383
+ "Qnity Electronics","Semiconductor Equipment & Materials","Technology"
384
+ "Qualcomm","Semiconductors","Technology"
385
+ "Quanta Services","Engineering & Construction","Industrials"
386
+ "Quest Diagnostics","Diagnostics & Research","Healthcare"
387
+ "RTX Corporation","Aerospace & Defense","Industrials"
388
+ "Ralph Lauren Corporation","Apparel Manufacturing","Consumer Cyclical"
389
+ "Raymond James Financial","Asset Management","Financial Services"
390
+ "Realty Income","REIT - Retail","Real Estate"
391
+ "Regency Centers","REIT - Retail","Real Estate"
392
+ "Regeneron Pharmaceuticals","Biotechnology","Healthcare"
393
+ "Regions Financial Corporation","Banks - Regional","Financial Services"
394
+ "Republic Services","Waste Management","Industrials"
395
+ "ResMed","Medical Instruments & Supplies","Healthcare"
396
+ "Revvity","Diagnostics & Research","Healthcare"
397
+ "Robinhood Markets","Capital Markets","Financial Services"
398
+ "Rockwell Automation","Specialty Industrial Machinery","Industrials"
399
+ "Rollins, Inc.","Personal Services","Consumer Cyclical"
400
+ "Roper Technologies","Software - Application","Technology"
401
+ "Ross Stores","Apparel Retail","Consumer Cyclical"
402
+ "Royal Caribbean Group","Travel Services","Consumer Cyclical"
403
+ "S&P Global","Financial Data & Stock Exchanges","Financial Services"
404
+ "SBA Communications","REIT - Specialty","Real Estate"
405
+ "Salesforce","Software - Application","Technology"
406
+ "Schlumberger","Oil & Gas Equipment & Services","Energy"
407
+ "Seagate Technology","Computer Hardware","Technology"
408
+ "Sempra","Utilities - Diversified","Utilities"
409
+ "ServiceNow","Software - Application","Technology"
410
+ "Sherwin-Williams","Specialty Chemicals","Basic Materials"
411
+ "Simon Property Group","REIT - Retail","Real Estate"
412
+ "Skyworks Solutions","Semiconductors","Technology"
413
+ "Smurfit Westrock","Packaging & Containers","Consumer Cyclical"
414
+ "Snap-on","Tools & Accessories","Industrials"
415
+ "Solstice Advanced Materials","Specialty Chemicals","Basic Materials"
416
+ "Solventum","Medical Instruments & Supplies","Healthcare"
417
+ "Southern Company","Utilities - Regulated Electric","Utilities"
418
+ "Southwest Airlines","Airlines","Industrials"
419
+ "Stanley Black & Decker","Tools & Accessories","Industrials"
420
+ "Starbucks","Restaurants","Consumer Cyclical"
421
+ "State Street Corporation","Asset Management","Financial Services"
422
+ "Steel Dynamics","Steel","Basic Materials"
423
+ "Steris","Medical Devices","Healthcare"
424
+ "Stryker Corporation","Medical Devices","Healthcare"
425
+ "Supermicro","Computer Hardware","Technology"
426
+ "Synchrony Financial","Credit Services","Financial Services"
427
+ "Synopsys","Software - Infrastructure","Technology"
428
+ "Sysco","Food Distribution","Consumer Defensive"
429
+ "T-Mobile US","Telecom Services","Communication Services"
430
+ "T. Rowe Price","Asset Management","Financial Services"
431
+ "TE Connectivity","Electronic Components","Technology"
432
+ "TJX Companies","Apparel Retail","Consumer Cyclical"
433
+ "TKO Group Holdings","Entertainment","Communication Services"
434
+ "Take-Two Interactive","Electronic Gaming & Multimedia","Communication Services"
435
+ "Tapestry, Inc.","Luxury Goods","Consumer Cyclical"
436
+ "Targa Resources","Oil & Gas Midstream","Energy"
437
+ "Target Corporation","Discount Stores","Consumer Defensive"
438
+ "Teledyne Technologies","Scientific & Technical Instruments","Technology"
439
+ "Teradyne","Semiconductor Equipment & Materials","Technology"
440
+ "Tesla, Inc.","Auto Manufacturers","Consumer Cyclical"
441
+ "Texas Instruments","Semiconductors","Technology"
442
+ "Texas Pacific Land Corporation","Oil & Gas E&P","Energy"
443
+ "Textron","Aerospace & Defense","Industrials"
444
+ "Thermo Fisher Scientific","Diagnostics & Research","Healthcare"
445
+ "Tractor Supply","Specialty Retail","Consumer Cyclical"
446
+ "Trade Desk (The)","Advertising Agencies","Communication Services"
447
+ "Trane Technologies","Building Products & Equipment","Industrials"
448
+ "TransDigm Group","Aerospace & Defense","Industrials"
449
+ "Travelers Companies (The)","Insurance - Property & Casualty","Financial Services"
450
+ "Trimble Inc.","Scientific & Technical Instruments","Technology"
451
+ "Truist Financial","Banks - Regional","Financial Services"
452
+ "Tyler Technologies","Software - Application","Technology"
453
+ "Tyson Foods","Farm Products","Consumer Defensive"
454
+ "U.S. Bancorp","Banks - Regional","Financial Services"
455
+ "UDR, Inc.","REIT - Residential","Real Estate"
456
+ "Uber","Software - Application","Technology"
457
+ "Ulta Beauty","Specialty Retail","Consumer Cyclical"
458
+ "Union Pacific Corporation","Railroads","Industrials"
459
+ "United Airlines Holdings","Airlines","Industrials"
460
+ "United Parcel Service","Integrated Freight & Logistics","Industrials"
461
+ "United Rentals","Rental & Leasing Services","Industrials"
462
+ "UnitedHealth Group","Healthcare Plans","Healthcare"
463
+ "Universal Health Services","Medical Care Facilities","Healthcare"
464
+ "Valero Energy","Oil & Gas Refining & Marketing","Energy"
465
+ "Ventas","REIT - Healthcare Facilities","Real Estate"
466
+ "Veralto","Pollution & Treatment Controls","Industrials"
467
+ "Verisign","Software - Infrastructure","Technology"
468
+ "Verisk Analytics","Consulting Services","Industrials"
469
+ "Verizon","Telecom Services","Communication Services"
470
+ "Vertex Pharmaceuticals","Biotechnology","Healthcare"
471
+ "Viatris","Drug Manufacturers - Specialty & Generic","Healthcare"
472
+ "Vici Properties","REIT - Diversified","Real Estate"
473
+ "Visa Inc.","Credit Services","Financial Services"
474
+ "Vistra Corp.","Utilities - Independent Power Producers","Utilities"
475
+ "Vulcan Materials Company","Building Materials","Basic Materials"
476
+ "W. R. Berkley Corporation","Insurance - Property & Casualty","Financial Services"
477
+ "W. W. Grainger","Industrial Distribution","Industrials"
478
+ "WEC Energy Group","Utilities - Regulated Electric","Utilities"
479
+ "Wabtec","Railroads","Industrials"
480
+ "Walmart","Discount Stores","Consumer Defensive"
481
+ "Walt Disney Company (The)","Entertainment","Communication Services"
482
+ "Warner Bros. Discovery","Entertainment","Communication Services"
483
+ "Waste Management","Waste Management","Industrials"
484
+ "Waters Corporation","Diagnostics & Research","Healthcare"
485
+ "Wells Fargo","Banks - Diversified","Financial Services"
486
+ "Welltower","REIT - Healthcare Facilities","Real Estate"
487
+ "West Pharmaceutical Services","Medical Instruments & Supplies","Healthcare"
488
+ "Western Digital","Computer Hardware","Technology"
489
+ "Weyerhaeuser","REIT - Specialty","Real Estate"
490
+ "Williams Companies","Oil & Gas Midstream","Energy"
491
+ "Williams-Sonoma, Inc.","Specialty Retail","Consumer Cyclical"
492
+ "Willis Towers Watson","Insurance Brokers","Financial Services"
493
+ "Workday, Inc.","Software - Application","Technology"
494
+ "Wynn Resorts","Resorts & Casinos","Consumer Cyclical"
495
+ "Xcel Energy","Utilities - Regulated Electric","Utilities"
496
+ "Xylem Inc.","Specialty Industrial Machinery","Industrials"
497
+ "Yum! Brands","Restaurants","Consumer Cyclical"
498
+ "Zebra Technologies","Communication Equipment","Technology"
499
+ "Zimmer Biomet","Medical Devices","Healthcare"
500
+ "Zoetis","Drug Manufacturers - Specialty & Generic","Healthcare"
501
+ "eBay Inc.","Internet Retail","Consumer Cyclical"
502
+ "Microsoft Corporation","Software - Infrastructure","Technology"
503
+ "Amazon.com, Inc.","Internet Retail","Consumer Cyclical"
504
+ "NVIDIA Corporation","Semiconductors","Technology"
505
+ "Alphabet Inc. Class A","Internet Content & Information","Communication Services"
506
+ "Alphabet Inc. Class C Capital Stock","Internet Content & Information","Communication Services"
507
+ "Applovin Corporation Class A","Software—Application","Technology"
508
+ "Meta Platforms, Inc. Class A","Internet Content & Information","Communication Services"
509
+ "AppLovin Corporation","Software—Application","Technology"
510
+ "Netflix, Inc.","Entertainment","Communication Services"
511
+ "Salesforce, Inc.","Software - Application","Technology"
512
+ "Broadcom Inc.","Semiconductors","Technology"
513
+ "Robinhood Markets, Inc.","Capital Markets","Financial Services"
514
+ "Alphabet Inc.","Internet Content & Information","Communication Services"
515
+ "Alphabet Inc. Class C","Internet Content & Information","Communication Services"
516
+ "AppLovin Corporation Class A Common Stock","Software—Application","Technology"
517
+ "Applovin Corp","Advertising Agencies","Communication Services"
data/investment_company.jsonl ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:e485abd946f29984b1e8554441112ea651800563b7ca0c176df0a499b551f192
3
+ size 11003841
data/theme_info.csv ADDED
@@ -0,0 +1,514 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ NAME,THEME,THEME_2,THEME_3
2
+ "3M","Industrial conglomerate","Safety and healthcare supplies","Advanced materials and adhesives"
3
+ "A. O. Smith","Water treatment and filtration","Energy efficient home appliances","Infrastructure and construction-related demand"
4
+ "AES Corporation","Renewable energy transition","Utility-scale battery storage","Decarbonization and clean power generation"
5
+ "APA Corporation","Oil and gas exploration and production","Shale energy and unconventional resources","North American energy and LNG export"
6
+ "AT&T","통신서비스 대형주","배당주 인컴투자","5G 및 광대역 인프라"
7
+ "AbbVie","글로벌 제약 바이오","면역질환 및 염증 치료제","고배당 배당귀족주"
8
+ "Abbott Laboratories","Medical devices","Diagnostics and testing","Diabetes care and continuous glucose monitoring"
9
+ "Accenture","Digital transformation consulting","Cloud and AI services","IT outsourcing and managed services"
10
+ "Adobe Inc.","디지털 콘텐츠 제작 소프트웨어","클라우드 기반 구독 비즈니스 모델","디지털 마케팅 및 데이터 분석 솔루션"
11
+ "Advanced Micro Devices","High-performance CPUs and GPUs","Data center and cloud computing","AI acceleration and semiconductor innovation"
12
+ "Aflac","보험","배당주","미국 금융주"
13
+ "Agilent Technologies","Life Science Tools","Diagnostics and Genomics","Laboratory Automation and Instrumentation"
14
+ "Air Products","industrial gases","hydrogen economy","semiconductor and electronics materials"
15
+ "Airbnb","온라인 숙박 공유 플랫폼","글로벌 여행 레저 회복","자산 경량 플랫폼 비즈니스"
16
+ "Akamai Technologies","Content Delivery Network","Web Security","Cloud Computing"
17
+ "Albemarle Corporation","EV battery materials","Global lithium producer","Energy transition and decarbonization"
18
+ "Alexandria Real Estate Equities","Life science real estate","Biotech and pharma R&D infrastructure","Knowledge-based urban campus development"
19
+ "Align Technology","Orthodontic devices","Digital dentistry and 3D scanning","Aesthetic healthcare"
20
+ "Allegion","Building security solutions","Smart locks and IoT access control","Commercial and institutional construction cycle"
21
+ "Alliant Energy","US regulated utilities","Renewable energy transition","Dividend income stocks"
22
+ "Allstate","미국 손해보험 리더","자동차·주택 보험 수혜","디지털 보험·핀테크 전환"
23
+ "Alphabet Inc. (Class A)","글로벌 빅테크 플랫폼","온라인 광고 및 디지털 마케팅","클라우드와 인공지능"
24
+ "Alphabet Inc. (Class C)","빅테크 플랫폼 기업","온라인 광고 및 디지털 마케팅","인공지능 및 클라우드 컴퓨팅"
25
+ "Altria","Tobacco industry","High dividend income","Sin stocks and regulatory risk"
26
+ "Amazon","E-commerce and online marketplace","Cloud computing and AWS","Digital advertising and subscription services"
27
+ "Amcor","sustainable packaging","consumer goods and food packaging","global industrials and manufacturing"
28
+ "Ameren","regulated utilities","renewable energy transition","infrastructure and grid modernization"
29
+ "American Electric Power","US regulated electric utilities","Renewable and grid modernization","Defensive dividend income"
30
+ "American Express","Global payments","Credit cards and consumer finance","Travel and premium rewards"
31
+ "American International Group","글로벌 손해보험","보험 리스크 관리 및 재보험","금리상승 수혜 금융주"
32
+ "American Tower","5G 인프라 및 통신타워","리츠(REITs) 및 인컴형 자산","데이터 트래픽 증가에 따른 디지털 인프라"
33
+ "American Water Works","Water utilities","Infrastructure and public services","Environmental sustainability and water management"
34
+ "Ameriprise Financial","자산운용사","자산관리·재무설계","리테일금융"
35
+ "Ametek","고급 계측·시험장비","산업 자동화·정밀 제어","항공우주·국방 전자부품"
36
+ "Amgen","Biotechnology large cap","Oncology and immunology therapeutics","Dividend-paying defensive healthcare"
37
+ "Amphenol","커넥터 및 인터커넥트 솔루션","5G 통신 및 데이터센터 인프라","자동차 전장 및 전기차 부품"
38
+ "Analog Devices","아날로그 반도체 및 전력관리 칩","산업·자동차용 센서 및 신호처리","5G 통신·데이터센터 인프라 반도체"
39
+ "Aon plc","Global insurance brokerage","Risk management and consulting","Employee benefits and health solutions"
40
+ "Apollo Global Management","Alternative asset management","Private equity and credit investment","Global infrastructure and real assets"
41
+ "AppLovin","Mobile advertising technology","App monetization platform","Game and entertainment applications"
42
+ "Apple Inc.","Consumer electronics","Smartphone ecosystem","Cloud and digital services"
43
+ "Applied Materials","Semiconductor equipment","Artificial intelligence hardware","Advanced chip manufacturing (foundry and memory capex)"
44
+ "Aptiv","Autonomous driving technology","Electric vehicle components","Smart and connected car systems"
45
+ "Arch Capital Group","Specialty insurance and reinsurance","Catastrophe and property risk management","Global financial services and risk transfer"
46
+ "Archer Daniels Midland","Global agribusiness","Food and feed commodity trading","Biofuels and renewable energy"
47
+ "Arista Networks","cloud networking","hyperscale data centers","AI infrastructure"
48
+ "Arthur J. Gallagher & Co.","Insurance brokerage","Risk management services","Employee benefits and consulting"
49
+ "Assurant","Specialty insurance services","Mobile device and extended warranty protection","Lender-placed and housing-related insurance"
50
+ "Atmos Energy","Natural gas distribution","Regulated utility income","US energy infrastructure"
51
+ "AutoZone","Aftermarket auto parts retail","DIY car maintenance and repair","Aging vehicle fleet beneficiary"
52
+ "Autodesk","Design software","Architecture engineering construction","3D modeling and simulation"
53
+ "Automatic Data Processing","Payroll Processing Services","Human Capital Management Software","Cloud-based Enterprise SaaS"
54
+ "AvalonBay Communities","Multifamily residential REIT","Urban high-income rental housing","US coastal real estate exposure"
55
+ "Avery Dennison","Labeling and packaging materials","RFID and smart labeling technology","Sustainable packaging and recyclable materials"
56
+ "Axon Enterprise","Non-lethal law enforcement equipment","Body cameras and digital evidence management","Public safety and justice technology platform"
57
+ "BNY Mellon","글로벌 자산운용","수탁결제·커스터디 뱅킹","기관투자가 금융인프라"
58
+ "BXP, Inc.","Commercial Real Estate","Office REITs","Income-focused Dividend Investing"
59
+ "Baker Hughes","에너지 서비스","석유가스 설비 및 기술","시추 및 생산 효율화"
60
+ "Ball Corporation","Sustainable packaging","Beverage can demand growth","Recycling and circular economy"
61
+ "Bank of America","미국 대형 상업은행","금리 상승 수혜 금융주","글로벌 투자은행 및 자본시장"
62
+ "Baxter International","Medical devices","Renal care and dialysis","Hospital and clinical supplies"
63
+ "Becton Dickinson","의료기기 제조","바이오·진단 장비","병원·헬스케어 인프라"
64
+ "Best Buy","Consumer electronics retail","Omnichannel and e-commerce","Smart home and connected devices"
65
+ "Bio-Techne","Biotechnology tools and reagents","Proteomics and genomics research","Biopharma contract manufacturing and diagnostics"
66
+ "Biogen","Alzheimer’s disease treatment","Neurodegenerative disease therapeutics","Biotech innovation and R&D pipeline"
67
+ "BlackRock","Global Asset Management","ETF and Index Investing","Sustainable and ESG Investing"
68
+ "Blackstone Inc.","Alternative Asset Management","Private Equity and Credit Investment","Real Estate and Infrastructure Financing"
69
+ "Block, Inc.","핀테크 결제 플랫폼","디지털 뱅킹 및 네오뱅크","비트코인 및 블록체인 연계 서비스"
70
+ "Boeing","Commercial aerospace recovery","Defense and space systems","Global aircraft supply chain and manufacturing"
71
+ "Booking Holdings","온라인 여행 플랫폼","글로벌 리오프닝 수혜","디지털 예약·결제 인프라"
72
+ "Boston Scientific","Medical devices","Minimally invasive surgery","Cardiovascular and structural heart care"
73
+ "Bristol Myers Squibb","Oncology pharmaceuticals","Immunology and autoimmune disease treatments","Cardiovascular and hematology therapies"
74
+ "Broadcom","semiconductors","networking and communication chips","cloud and data center infrastructure"
75
+ "Broadridge Financial Solutions","핀테크 인프라 및 금융 IT 아웃소싱","전자 위임장 및 주주 커뮤니케이션 디지털화","자본시장 백오피스 자동화 및 레그테크"
76
+ "Brown & Brown","Insurance brokerage","Risk management and consulting","US property and casualty insurance"
77
+ "Builders FirstSource","US housing construction cycle beneficiary","Building materials and lumber price leverage","Vertical integration in residential construction supply chain"
78
+ "Bunge Global","농산물 트레이딩","식품 원재료 공급망","글로벌 곡물 메이저"
79
+ "C.H. Robinson","Global logistics and freight forwarding","Supply chain management and optimization","Third-party logistics (3PL) services"
80
+ "CBRE Group","글로벌 상업용 부동산 서비스","부동산 자산운용 및 리츠 관련 수혜","도시 재개발 및 인프라 투자"
81
+ "CDW Corporation","IT 솔루션 유통 및 관리 서비스","클라우드 및 데이터센터 인프라","기업 및 공공부문 디지털 전환"
82
+ "CF Industries","질소 비료 및 농업 생산성","친환경 저탄소 비료 및 청정 암모니아","천연가스 연동 비료 가격 및 원자재 사이클"
83
+ "CME Group","글로벌 파생상품 거래소","금리·원자재 헤지 수혜주","미국 금융 인프라 핵심 플랫폼"
84
+ "CMS Energy","미국 유틸리티","전력 및 가스 인프라","배당주 인컴 투자"
85
+ "CSX Corporation","Railroad transportation","North American freight logistics","Infrastructure and industrial cyclicals"
86
+ "CVS Health","미국 헬스케어 통합 플랫폼","보험·약국 결�� 비즈니스 모델","고령화·만성질환 수혜주"
87
+ "Cadence Design Systems","EDA 반도체 설계자동화 소프트웨어","AI 반도체 및 고성능 컴퓨팅 설계 인프라","IP 라이선스 및 시스템 반도체 디자인 생태계"
88
+ "Camden Property Trust","Sunbelt 다가구 주택 리츠","임대주택 수요 증가 수혜","인플레이션 방어형 배당 수익"
89
+ "Campbell's Company (The)","가정용 식품","간편식 편의식","방어적 소비재"
90
+ "Capital One","미국 소비자 금융","신용카드 및 디지털 결제","데이터 기반 리스크 관리"
91
+ "Cardinal Health","Healthcare Distribution","Pharmaceutical Supply Chain","Medical Supplies and Solutions"
92
+ "Carnival","Cruise line","Travel and leisure","Post-pandemic recovery"
93
+ "Carrier Global","HVAC and building climate control","Smart and energy-efficient buildings","Infrastructure and construction cycle"
94
+ "Caterpillar Inc.","Global infrastructure and construction equipment","Mining and commodity-linked capital spending","Industrial automation and machinery digitization"
95
+ "Cboe Global Markets","글로벌 거래소 운영사","파생상품 및 옵션 시장 성장 수혜","전자·알고리즘 거래 인프라"
96
+ "Cencora","Pharmaceutical distribution","Healthcare supply chain and logistics","Specialty drugs and biologics"
97
+ "Centene Corporation","Managed care and Medicaid-focused health insurance","Value-based healthcare and cost containment","Expansion in government-sponsored healthcare programs"
98
+ "CenterPoint Energy","regulated utilities","natural gas distribution","energy infrastructure"
99
+ "Charles River Laboratories","글로벌 임상시험 및 비임상 CRO 서비스","신약 개발 및 바이오의약품 R&D 아웃소싱","전임상 동물실험·독성평가 전문성"
100
+ "Charles Schwab Corporation","online brokerage and trading platforms","retirement and wealth management services","interest rate sensitive financial services"
101
+ "Charter Communications","US cable TV and broadband","Fixed-line telecom infrastructure","Pay TV cord-cutting and streaming transition"
102
+ "Chevron Corporation","Integrated Oil and Gas","Liquefied Natural Gas (LNG)","Energy Transition and Low-Carbon Solutions"
103
+ "Chipotle Mexican Grill","Fast casual dining","Healthy and sustainable food trends","U.S. consumer discretionary spending"
104
+ "Chubb Limited","글로벌 손해보험","기업 상보험 및 재보험","위험관리 및 보험테크"
105
+ "Church & Dwight","Household consumer staples","Everyday personal care products","Recession resistant defensive stock"
106
+ "Cigna","Health insurance","Managed care","Value-focused healthcare"
107
+ "Cincinnati Financial","Property and casualty insurance","Dividend aristocrat income","U.S. regional financials"
108
+ "Cintas","Uniform and workwear services","Facility services and hygiene management","Business outsourcing for safety and compliance"
109
+ "Cisco","Networking hardware","Cloud and cybersecurity","Enterprise collaboration"
110
+ "Citigroup","Global Investment Banking","Retail and Commercial Banking","Interest Rate and Credit Cycle Exposure"
111
+ "Citizens Financial Group","US regional banks","interest rate sensitive financials","consumer and commercial lending"
112
+ "Clorox","Household cleaning products","Consumer staples defensive","Health and hygiene solutions"
113
+ "CoStar Group","Commercial real estate data and analytics","Online real estate marketplaces and listings","PropTech and digital transformation in real estate"
114
+ "Coca-Cola Company (The)","글로벌 음료 대표주","배당 성장주","경기 방어 소비재"
115
+ "Cognizant","IT 서비스 아웃소싱","디지털 전환 및 클라우드 컨설팅","헬스케어·금융 특화 엔터프라이즈 솔루션"
116
+ "Coinbase","가상자산 거래소","디지털 자산 인프라","웹3 및 탈중앙화 금융(DeFi)"
117
+ "Colgate-Palmolive","Oral Care Consumer Products","Global Household & Personal Care","Defensive Dividend Stocks"
118
+ "Comcast","Cable TV and Broadband Services","Media and Entertainment Content","Streaming and Digital Platforms"
119
+ "Conagra Brands","가공식품 및 간편식","디플레이션 방어 소비재","배당 중심 안정 성장주"
120
+ "ConocoPhillips","Energy","Oil and Gas Exploration and Production","Liquefied Natural Gas"
121
+ "Consolidated Edison","regulated utilities","urban infrastructure and grid modernization","defensive income and dividend investing"
122
+ "Constellation Brands","Premium alcoholic beverages","U.S. beer and spirits market","Consumer staples defensive play"
123
+ "Constellation Energy","Clean Energy Transition","Nuclear Power Generation","Decarbonization and ESG"
124
+ "Cooper Companies (The)","Soft contact lens","Vision care and eye health","Medical devices"
125
+ "Copart","Online auto auction platform","Used and salvage vehicle market","Digitalization of automotive remarketing"
126
+ "Corning Inc.","Display glass technology","Optical communications and fiber","Specialty materials for semiconductors and electronics"
127
+ "Corpay","Corporate payments","Cross-border and FX solutions","Fintech and digital treasury management"
128
+ "Corteva","Agricultural Inputs","Seed and Crop Protection Technology","Sustainable Farming and Food Security"
129
+ "Costco","창고형 할인매장","회원제 유통 플랫폼","방어적 소비재"
130
+ "Coterra","US shale gas and oil production","Natural gas for LNG export and power generation","Energy sector dividends and shareholder returns"
131
+ "CrowdStrike","클라우드 기반 사이버보안","엔드포인트 보안 및 위협 탐지","사이버 공격 대응 및 관리 플랫폼"
132
+ "Crown Castle","5G 통신 인프라","데이터 사용량 증가 수혜","REITs 및 배당 성장주"
133
+ "Cummins","Heavy duty engines and powertrain systems","Decarbonization and alternative power solutions","Infrastructure and industrial equipment demand"
134
+ "D. R. Horton","US homebuilding cycle","Housing affordability and first-time buyers","Sunbelt population growth and suburban expansion"
135
+ "DTE Energy","미국 유틸리티","청정에너지 전환","인프라 배당주"
136
+ "DaVita","Dialysis and kidney care services","Aging population and chronic disease management","US healthcare reimbursement and managed care"
137
+ "Danaher Corporation","Life Science Tools and Diagnostics","Medical Technology and Healthcare Solutions","Industrial and Environmental Filtration"
138
+ "Darden Restaurants","Casual dining restaurant chain","U.S. consumer discretionary","Dividend growth stocks"
139
+ "Datadog","Cloud monitoring and observability","SaaS-based IT operations and DevOps tools","Data analytics and infrastructure performance management"
140
+ "Dayforce","클라우드 기반 인사관리 솔루션","구독형 소프트웨어 SaaS","디지털 전환과 인력 효율화"
141
+ "Deckers Brands","athleisure and premium casual footwear","global lifestyle and outdoor brands","direct-to-consumer and e-commerce driven growth"
142
+ "Deere & Company","Agricultural machinery","Precision agriculture and smart farming","Infrastructure and construction equipment"
143
+ "Dell Technologies","PC and laptop hardware","Enterprise servers and storage","Cloud and edge infrastructure solutions"
144
+ "Delta Air Lines","항공사","여행·레저","경기민감·리오프닝"
145
+ "Devon Energy","Shale oil and gas production","US upstream energy and E&P","Dividend and shareholder return-focused energy stocks"
146
+ "Dexcom","Continuous glucose monitoring","Diabetes care technology","Digital health and remote patient monitoring"
147
+ "Diamondback Energy","US shale oil production","Permian Basin exploration and production","Energy sector dividend and shareholder returns"
148
+ "Digital Realty","Data Center REIT","Cloud Infrastructure","AI and High-Performance Computing"
149
+ "Dollar General","Discount retail","Rural and low-income consumer exposure","Defensive consumer staples"
150
+ "Dollar Tree","Discount retail","Recession-resistant consumer staples","Value-focused small-box stores"
151
+ "Dominion Energy","regulated utility","renewable energy transition","dividend income"
152
+ "Domino's","Global fast-food chain","Pizza delivery and logistics innovation","Digital ordering and food-tech platform"
153
+ "DoorDash","Food delivery platform","Last-mile logistics","Gig economy"
154
+ "Dover Corporation","Industrial automation and engineered equipment","Energy and fueling solutions","Refrigeration, food equipment and product identification"
155
+ "Dow Inc.","Specialty chemicals","Materials for energy transition","Packaging and industrial plastics"
156
+ "DuPont","특수 화학소재 및 고기능성 소재","친환경 솔루션 및 지속가능 경영","반도체∙전기차∙5G 소재 공급망"
157
+ "Duke Energy","미국 전력 유틸리티","배당주 인컴 투자","청정에너지·재생에너지 전환"
158
+ "EOG Resources","미국 셰일가스 및 셰일오일 개발","원유 및 천연가스 가격 상승 수혜","북미 에너지 자급자족 및 에너지 안보"
159
+ "EPAM Systems","IT 아웃소싱 및 디지털 전환","클라우드·데이터 기반 엔터프라이즈 솔루션","글로벌 소프트웨어 개발 및 컨설팅"
160
+ "EQT Corporation","US shale gas production","natural gas LNG export","energy transition bridge fuel"
161
+ "Eaton Corporation","전력 인프라 및 스마트그리드","전기차 및 에너지 저장 시스템 부품","산업 자동화 및 효율성 향상 솔루션"
162
+ "Ecolab","Water treatment and purification","Industrial cleaning and sanitation solutions","Sustainable resource management"
163
+ "Edison International","U.S. electric utility","Renewable energy transition","California grid and wildfire risk management"
164
+ "Edwards Lifesciences","Structural heart disease devices","Minimally invasive cardiovascular interventions","Aging population and chronic cardiac care"
165
+ "Electronic Arts","Global video game publisher","Digital gaming and live services","Esports and sports gaming franchise"
166
+ "Elevance Health","미국 건강보험","관리의료(MCO) 및 비용절감","고령화·메디케어 수혜"
167
+ "Emcor","engineering construction services","building systems and facilities management","infrastructure and energy efficiency"
168
+ "Emerson Electric","Industrial automation","Process control and instrumentation","Energy efficiency and smart manufacturing"
169
+ "Entergy","US regulated utilities","nuclear and low-carbon power generation","defensive income dividend stocks"
170
+ "Equifax","신용평가 서비스","데이터 기반 금융 리스크 관리","개인 신용정보 및 신원인증 솔루션"
171
+ "Equinix","data center REITs","cloud and colocation infrastructure","digital transformation and internet traffic growth"
172
+ "Equity Residential","Multifamily residential REIT","Urban rental housing exposure","Interest-rate sensitive income play"
173
+ "Erie Indemnity","Property and casualty insurance","Fee-based insurance services","Defensive dividend stocks"
174
+ "Essex Property Trust","West Coast multifamily REIT","Urban housing and rental demand","Income-focused dividend investing"
175
+ "Estée Lauder Companies (The)","글로벌 프레스티지 화장품","럭셔리 뷰티 및 스킨케어","중국 및 면세 채널 소비"
176
+ "Everest Group","insurance and reinsurance","risk management and actuarial analytics","financial services and capital markets"
177
+ "Evergy","Electric Utilities","Dividend Income","Regulated Monopoly"
178
+ "Eversource Energy","Utility Sector","Renewable Energy Transition","Electric and Gas Infrastructure"
179
+ "Exelon","Electric utilities","Nuclear power generation","Renewable and clean energy transition"
180
+ "Expand Energy","Renewable energy","Energy storage and batteries","Clean technology and decarbonization"
181
+ "Expedia Group","Online travel platform","Global tourism recovery","Digitalization of travel bookings"
182
+ "Expeditors International","Global freight forwarding","Supply chain and logistics optimization","International trade and customs brokerage"
183
+ "Extra Space Storage","Self-storage REIT","Urban population density","E-commerce and logistics storage demand"
184
+ "ExxonMobil","global energy major","oil and gas upstream and downstream","dividend income and shareholder returns"
185
+ "F5, Inc.","Application Delivery Controller","Network Security","Multi Cloud Management"
186
+ "FactSet","Financial data analytics","Investment research platforms","Fintech enterprise software"
187
+ "Fair Isaac","Credit scoring and risk analytics","Decision management software","Financial services technology (FinTech)"
188
+ "Fastenal","Industrial distribution and MRO","US construction and manufacturing cycle","Supply chain resilience and on-site inventory solutions"
189
+ "FedEx","Global logistics and freight","E-commerce delivery growth","Supply chain optimization and automation"
190
+ "Federal Realty Investment Trust","리테일 리츠","프라임 입지 상업부동산","배당 성장주"
191
+ "Fidelity National Information Services","핀테크 서비스","결제 및 금융인프라 소프트웨어","디지털 전환 수혜 금융IT"
192
+ "Fifth Third Bancorp","Regional banking","Retail and commercial lending","Interest rate sensitivity"
193
+ "First Solar","Solar energy","Renewable energy transition","Utility-scale solar power"
194
+ "FirstEnergy","Regulated electric utilities","Power grid modernization and infrastructure","Dividend income and defensive value stocks"
195
+ "Ford Motor Company","전기차 전환","미국 완성차 대형주","자율주행 및 모빌리티 서비스"
196
+ "Fortinet","Cybersecurity","Network security appliances","Zero trust and cloud security"
197
+ "Fortive","Industrial technology and instrumentation","IoT and connected industrial solutions","Mergers and acquisitions driven portfolio growth"
198
+ "Fox Corporation (Class A)","미디어 콘텐츠 제작","광고 기반 방송 비즈니스","스포츠 중계 및 라이브 이벤트"
199
+ "Fox Corporation (Class B)","미디어·엔터테인먼트","TV 방송·뉴스","스포츠 중계·콘텐츠"
200
+ "Franklin Resources","Global asset management","Active mutual funds","Dividend-paying financials"
201
+ "Freeport-McMoRan","구리 가격 수혜","전기차 배터리 및 신재생 인프라 소재","글로벌 자원 슈퍼사이클"
202
+ "GE Aerospace","aerospace and defense","commercial aviation recovery","next-generation aircraft engines"
203
+ "GE HealthCare","Medical Imaging and Diagnostics","Healthcare Equipment and Technology","Aging Population and Chronic Disease Management"
204
+ "GE Vernova","재생에너지 발전설비","에너지 전환 인프라","스마트 그리드 및 전력 효율화"
205
+ "Garmin","GPS 내비게이션 및 위치기반 하드웨어","웨어러블 피트니스 디바이스","항공·해양·아웃도어 전문 전자장비"
206
+ "Gartner","IT research and advisory services","Digital transformation and enterprise technology trends","Data-driven decision support and market intelligence"
207
+ "Gen Digital","cybersecurity","identity protection","consumer security software"
208
+ "Generac","Backup power and standby generators","Residential energy resilience and home electrification","Distributed energy resources and microgrids"
209
+ "General Dynamics","Defense and aerospace","Military shipbuilding and submarines","Business jets and aerospace services"
210
+ "General Mills","Packaged food","Dividend income","Defensive consumer staples"
211
+ "General Motors","Electric vehicles","Autonomous driving and software-defined vehicles","US automotive cyclical recovery"
212
+ "Genuine Parts Company","Automotive aftermarket parts","Industrial and MRO distribution","Defensive dividend income"
213
+ "Gilead Sciences","Antiviral drugs and HIV treatment","Hepatitis and liver disease therapies","Oncology and cell therapy"
214
+ "Global Payments","Digital payments","Fintech infrastructure","Merchant acquiring"
215
+ "Globe Life","Life and health insurance","Middle-income household financial protection","Long-term value and dividend income"
216
+ "GoDaddy","도메인 등록 및 웹호스팅","중소사업자 대상 웹사이트 구축 솔루션","온라인 비즈니스 및 디지털 마케팅 플랫폼"
217
+ "Goldman Sachs","글로벌 투자은행","자기자본 투자 및 트레이딩","자산운용 및 자산관리"
218
+ "HCA Healthcare","미국 병원 체인","민간 의료 서비스","헬스케어 경기방어주"
219
+ "HP Inc.","Personal computers and laptops","Printing and office hardware","Workplace and hybrid work solutions"
220
+ "Halliburton","Oilfield services","Shale and offshore drilling","Energy capex cycle"
221
+ "Hartford (The)","보험금융","연금 및 자산관리","미국 금융주"
222
+ "Hasbro","장난감 및 보드게임 제조","IP 기반 엔터테인먼트·콘텐츠 사업","라이선스·머천다이징 수익 모델"
223
+ "Healthpeak Properties","Healthcare REIT","Senior housing and life science real estate","Defensive income dividend investing"
224
+ "Henry Schein","Dental supplies and equipment","Healthcare distribution and services","Veterinary and medical practice solutions"
225
+ "Hershey Company (The)","소비재 필수품","간편식·간식류","글로벌 브랜드·프랜차이즈"
226
+ "Hewlett Packard Enterprise","엔터프라이즈 IT 인프라 및 서버","클라우드 및 하이브리드 클라우드 솔루션","데이터 스토리지 및 엣지 컴퓨팅"
227
+ "Hilton Worldwide","Global hotel chain","Travel and tourism recovery","Asset light franchise model"
228
+ "Hologic","여성 건강 진단 장비","정밀 의료 및 분자 진단","조기 암 검진 및 스크리닝"
229
+ "Home Depot (The)","미국 주택 리모델링","홈센터 및 DIY 소매유통","미국 소비 경기 민감주"
230
+ "Honeywell","Industrial automation","Aerospace and defense","Building energy efficiency"
231
+ "Hormel Foods","Packaged foods and consumer staples","Dividend and income investing","Protein and canned food demand resilience"
232
+ "Host Hotels & Resorts","호텔 리츠","미국 상업용 부동산","관광 레저 회복 수혜"
233
+ "Howmet Aerospace","Aerospace and defense components","Lightweight metal alloys and advanced materials","Commercial aviation and jet engine supply chain"
234
+ "Hubbell Incorporated","Electrical equipment and components","Grid modernization and utility infrastructure","Industrial automation and smart buildings"
235
+ "Humana","Medicare Advantage","Managed care health insurance","Value-based healthcare"
236
+ "Huntington Bancshares","미국 지역은행","금리 민감 금융주","배당주 및 수익형 가치주"
237
+ "Huntington Ingalls Industries","국방 산업","함정 및 잠수함 건조","해군 현대화 및 군비 증강"
238
+ "IBM","Hybrid cloud computing","Artificial intelligence and enterprise automation","Mainframe modernization and mission-critical infrastructure"
239
+ "IDEX Corporation","Industrial fluid and metering technologies","Specialty engineered products and solutions","Infrastructure and municipal water markets exposure"
240
+ "IQVIA","Healthcare data analytics","Clinical trial services","Real-world evidence and AI in pharma"
241
+ "Idexx Laboratories","동물 진단 장비 및 솔루션","반려동물 헬스케어 성장 수혜","수의학 연구·검사 서비스"
242
+ "Illinois Tool Works","Industrial automation and engineering solutions","Diversified manufacturing and industrial components","Infrastructure and construction-related equipment"
243
+ "Incyte","Immuno-oncology","Targeted cancer therapies","Biotech R&D pipeline"
244
+ "Ingersoll Rand","Industrial equipment and compressors","Energy efficiency and sustainability solutions","Infrastructure and manufacturing automation"
245
+ "Insulet Corporation","Insulin pump and diabetes management devices","Wearable medical technology","Chronic disease digital health solutions"
246
+ "Intel","semiconductors","artificial intelligence chips","data center and cloud infrastructure"
247
+ "Interactive Brokers","온라인 증권사","미국 금융주","핀테크 플랫폼"
248
+ "Intercontinental Exchange","글로벌 거래소","파생상품 및 상품선물","금리 및 금융데이터 인프라"
249
+ "International Flavors & Fragrances","Flavors and Fragrances Industry","Consumer Packaged Goods Ingredients","Sustainable and Natural Food Additives"
250
+ "International Paper","Global paper and packaging","Sustainable forestry and recycling","Industrial cyclical value stock"
251
+ "Interpublic Group of Companies (The)","Advertising and marketing services","Digital and data driven marketing","Global media and communications"
252
+ "Intuit","Tax software and e-filing services","Small business accounting and financial management","Personal finance and credit management platforms"
253
+ "Intuitive Surgical","Robotic Surgery","Minimally Invasive Procedures","Medical Technology Innovation"
254
+ "Invesco","ETF 운용사","패시브 및 인덱스 투자","글로벌 자산 배분"
255
+ "Invitation Homes","단독주택 임대(REITs)","미국 주거용 부동산","도시권 장기 임대 수요"
256
+ "Iron Mountain","Data center REIT","Information management and storage","Digital infrastructure and cloud backup"
257
+ "J.B. Hunt","미국 트럭운송 및 물류","인터모달 운송 및 철도연계 물류","이커머스 기반 화물 수요 성장"
258
+ "J.M. Smucker Company (The)","가공식품 및 식료품 브랜드","북미 소비재 필수품","반려동물 식품 및 프리미엄 간식"
259
+ "JPMorgan Chase","글로벌 대형은행","금리상승 수혜주","디지털 금융 및 핀테크 경쟁"
260
+ "Jabil","Electronics manufacturing services","Cloud and data center hardware supply chain","Industrial and automotive digitalization hardware"
261
+ "Jack Henry & Associates","핀테크 코어 뱅킹 소프트웨어","지역 금융기관 디지털 전환","금융 IT 아웃소싱 및 반복 수익 모델"
262
+ "Jacobs Solutions","Infrastructure engineering and consulting","Government and defense contracting","Environmental and sustainability solutions"
263
+ "Johnson & Johnson","글로벌 헬스케어 리더십","의약품 및 백신 개발","소비자 헬스·의료기기 안정 배당주"
264
+ "Johnson Controls","Building automation and smart HVAC","Energy efficiency and decarbonization solutions","Infrastructure and commercial real estate modernization"
265
+ "KKR & Co.","Private Equity","Alternative Investments","Infrastructure and Real Assets"
266
+ "KLA Corporation","Semiconductor equipment","Process control and inspection","AI-driven advanced manufacturing"
267
+ "Kellanova","Branded packaged foods","Snacking and convenience foods","Consumer staples defensive"
268
+ "Kenvue","글로벌 소비재 헬스케어","OTC 의약품 및 생활건강","디펜시브 배당주"
269
+ "Keurig Dr Pepper","Beverage brand portfolio expansion","At home and on the go consumption","Strategic partnerships and distribution network"
270
+ "KeyCorp","US regional banking","interest rate sensitivity","commercial and consumer lending"
271
+ "Keysight Technologies","5G 및 차세대 통신 테스트 솔루션","반도체 및 첨단 전자계측 장비","자율주행·전기차 및 항공우주 방산용 검증 시스템"
272
+ "Kimberly-Clark","Consumer staples","Hygiene and personal care","Dividend income"
273
+ "Kimco Realty","미국 리테일 리츠","오프프라이스·필수소비재 중심 상가","배당수익형 인컴 투자"
274
+ "Kinder Morgan","North American energy infrastructure","Natural gas pipelines and midstream","Energy transition and LNG export logistics"
275
+ "Kraft Heinz","Packaged foods and beverages","Consumer staples dividend stocks","Global food brands value investing"
276
+ "Kroger","미국 식료품 대형 유통체인","오프라인 리테일 및 슈퍼마켓","경기방어적 필수소비재"
277
+ "L3Harris","국방 항공우주","방산 전자통신 시스템","정부 군수 위성 및 정보보안"
278
+ "LKQ Corporation","Aftermarket auto parts distribution","Vehicle repair and maintenance demand","Recycling and remanufactured auto components"
279
+ "Labcorp","진단 검사 서비스","임상시험 및 CRO 비즈니스","헬스케어 데이터·정밀의료"
280
+ "Lam Research","반도체 장비","메모리 및 파운드리 투자 수혜","첨단 공정 및 미세화 기술"
281
+ "Lamb Weston","가공 감자 및 냉동식품","외식·패스트푸드 공급망","글로벌 식품 수출 및 농산물 인플레이션 수혜"
282
+ "Las Vegas Sands","카지노 리조트 운영","마카오 및 아시아 게임 산업","리조트 기반 관광 및 엔터테인먼트"
283
+ "Leidos","국방 IT 서비스","사이버 보안 및 정보 분석","정부 아웃소싱·디지털 전환"
284
+ "Lennar","미국 주택건설 경기 회복","금리 사이클과 모기지 시장 변화","신도시 개발 및 인프라 투자 확대"
285
+ "Lennox International","HVAC 및 건물설비","에너지 효율 및 친환경 솔루션","리모델링·주택 리노베이션 수요"
286
+ "Lilly (Eli)","비만·당뇨치료 GLP-1 혁신 신약","고령화·만성질환 특화 대형 제약사","바이오의약·항체 기반 R&D 리더"
287
+ "Linde plc","Industrial gases and engineering","Hydrogen and clean energy infrastructure","Semiconductor and electronics manufacturing materials"
288
+ "Live Nation Entertainment","Live entertainment and concerts","Ticketing and event platforms","Music and artist promotion ecosystem"
289
+ "Lockheed Martin","국방 우주 항공","미국 국방 예산 수혜","첨단 미사일 및 방산 기술"
290
+ "Loews Corporation","U.S. diversified holding company","Property and casualty insurance","Energy and infrastructure exposure"
291
+ "Lowe's","미국 주택 리모델링 및 DIY 홈임프루브먼트","미국 주택 시장 및 리페어 수요 증가","오프라인 리테일과 이커머스 통합 옴니채널"
292
+ "Lululemon Athletica","프리미엄 요가웨어","애슬레저 라이프스타일","글로벌 직영 리테일 성장"
293
+ "LyondellBasell","Petrochemicals and Plastics","Refining and Intermediates","Circular Economy and Recycling"
294
+ "M&T Bank","미국 중형 지역은행","상업·소기업 대출 중심 전통은행","미 금리·규제 민감 금융주"
295
+ "MGM Resorts","카지노 리조트 운영","라스베이거스 관광 및 엔터테인먼트","온라인·스포츠 베팅"
296
+ "MSCI Inc.","지수 및 데이터 제공업체","패시브 ETF 및 인덱스 투자 확산","ESG 투자 및 지속가능경영 솔루션"
297
+ "Marathon Petroleum","Refining and downstream energy","U.S. transportation fuels demand","Shareholder returns and buyback-focused value"
298
+ "Marriott International","Global hotel chain","Travel and tourism recovery","Asset light management and franchise model"
299
+ "Marsh McLennan","글로벌 보험 브로커리지","리스크 관리 및 컨설팅 서비스","기업 복지·연금 솔루션"
300
+ "Martin Marietta Materials","US infrastructure and construction materials","Residential and commercial real estate development","Government-funded transportation and public works"
301
+ "Masco","Home improvement materials","Residential renovation and remodeling","Plumbing and decorative hardware"
302
+ "Mastercard","글로벌 결제 네트워크","비현금 결제 및 핀테크 성장","디지털 전환과 온라인 결제 확대"
303
+ "Match Group","Online dating platforms","Subscription-based consumer services","Mobile app engagement and monetization"
304
+ "McCormick & Company","향신료 및 조미료 글로벌 리더","가정용·외식용 식품 안정적 수요","배당 성장 중심 방어적 소비재"
305
+ "McDonald's","Global QSR (Quick Service Restaurant)","Franchise-driven cash cow and dividend aristocrat","Asset-light real estate and royalty model"
306
+ "McKesson Corporation","U.S. healthcare distribution","Pharmaceutical supply chain and logistics","Aging population and rising healthcare spending"
307
+ "Medtronic","Medical Devices","Minimally Invasive Surgery","Diabetes and Cardiac Care"
308
+ "Merck & Co.","면역항암제 및 항암제","백신 및 감염성 질환 치료제","글로벌 대형 제약·바이오"
309
+ "MetLife","Life insurance","Retirement and pension solutions","Long-term interest rate cycle beneficiaries"
310
+ "Meta Platforms, Inc.","Artificial Intelligence","Social Media","Virtual Reality"
311
+ "Mettler Toledo","정밀 계측장비","실험실·생명과학 장비","품질관리·공정자동화 솔루션"
312
+ "Microchip Technology","Semiconductors","Embedded Systems","Industrial IoT"
313
+ "Micron Technology","메모리 반도체","데이터센터 AI 인프라","고성능 컴퓨팅 HPC"
314
+ "Microsoft","Cloud computing","Artificial intelligence","Productivity software"
315
+ "Mid-America Apartment Communities","멀티패밀리 임대주택 리츠","미국 선벨트 지역 인구성장 수혜주","인플레이션 헤지 배당 성장주"
316
+ "Moderna","mRNA vaccines","infectious disease therapeutics","biotech innovation"
317
+ "Mohawk Industries","Flooring and ceramic tile manufacturing","Residential and commercial construction materials","Home renovation and remodeling demand"
318
+ "Molina Healthcare","메디케이드 관리형 의료보험","저소득층·취약계층 의료 서비스","미국 헬스케어 규제·정책 수혜"
319
+ "Molson Coors Beverage Company","전통 맥주 및 주류 소비 회복","프리미엄·크래프트 맥주 확산","미국·글로벌 경기 민감 소비주"
320
+ "Mondelez International","Global snack and confectionery leader","Emerging markets consumer growth","Brand portfolio and pricing power in consumer staples"
321
+ "Monolithic Power Systems","Power management ICs","Data center and AI infrastructure semiconductors","Automotive and industrial electronics"
322
+ "Monster Beverage","에너지 음료","글로벌 음료 브랜드","청년층 소비·라이프스타일"
323
+ "Moody's Corporation","Credit rating agencies","Financial data and analytics","Risk management and regulatory compliance"
324
+ "Morgan Stanley","Global Investment Banking","Wealth and Asset Management","Capital Markets and Trading"
325
+ "Mosaic Company (The)","비료 및 농업화학","글로벌 곡물 수급 및 식량안보","원자재 가격 및 커머더티 사이클"
326
+ "Motorola Solutions","Public safety communication","Mission-critical infrastructure","Government and enterprise security solutions"
327
+ "NRG Energy","Independent power producer","Energy transition and grid decarbonization","Retail electricity and energy services"
328
+ "NVR, Inc.","US homebuilding","Residential real estate cycle","Suburban housing demand"
329
+ "NXP Semiconductors","Automotive semiconductors","IoT and industrial connectivity chips","Secure payment and identification solutions"
330
+ "Nasdaq, Inc.","Global stock exchange operator","Financial market infrastructure","Fintech and trading technology"
331
+ "NetApp","Cloud data management","Enterprise storage infrastructure","Hybrid multi‑cloud solutions"
332
+ "Netflix","Global video streaming","Original content production","Ad-supported subscription model"
333
+ "Newmont","Gold mining","Precious metals","Inflation hedge"
334
+ "News Corp (Class A)","디지털 미디어 및 온라인 뉴스","글로벌 출판 및 콘텐츠 사업","스포츠��부동산 등 자산 기반 가치주"
335
+ "News Corp (Class B)","Global media conglomerate","Digital news and publishing","Pay-TV and content distribution"
336
+ "NextEra Energy","재생에너지","신재생 전력발전","친환경 인프라"
337
+ "NiSource","US regulated utilities","Natural gas distribution","Stable dividend income"
338
+ "Nike, Inc.","Global sportswear leader","Athleisure and lifestyle brand","Direct-to-consumer and digital commerce"
339
+ "Nordson Corporation","Industrial automation equipment","Electronics and semiconductor manufacturing solutions","Adhesives and precision dispensing technologies"
340
+ "Norfolk Southern","US freight railroad","North American infrastructure","Logistics and supply chain"
341
+ "Northern Trust","글로벌 자산운용사","수탁 및 커스터디 뱅킹","기관투자자 중심 금융서비스"
342
+ "Northrop Grumman","defense and aerospace","military technology and modernization","national security and defense spending"
343
+ "Norwegian Cruise Line Holdings","크루즈 여행 레저 소비 회복","미국 여가 관광 경기 민감주","고금리 환경 재무 레버리지"
344
+ "Nucor","US steel production cycle","Infrastructure and construction demand","Decarbonization and electric arc furnace technology"
345
+ "Nvidia","AI semiconductors","Data center GPUs","Autonomous driving chips"
346
+ "ON Semiconductor","전력반도체","전기차·자율주행 부품","산업·에너지 효율화 반도체"
347
+ "Occidental Petroleum","U.S. shale oil and gas production","Energy sector value and dividend play","Oil price leveraged cyclical stock"
348
+ "Old Dominion","Less-than-truckload (LTL) freight","US domestic logistics and trucking","E-commerce and industrial shipment demand"
349
+ "Omnicom Group","Global advertising and marketing services","Digital and data-driven marketing transformation","Corporate brand and communications spending"
350
+ "Oneok","North American natural gas pipelines","Midstream energy infrastructure","Dividend income and cash-flow stability"
351
+ "Oracle Corporation","Cloud infrastructure","Enterprise database and middleware","AI-driven data analytics and SaaS"
352
+ "Otis Worldwide","건설 경기 및 상업용 부동산","도시화 및 인프라 투자 확대","스마트 빌딩과 안전 솔루션"
353
+ "O’Reilly Automotive","Automotive aftermarket retail","DIY and professional auto parts demand","Resilient consumer spending on vehicle maintenance"
354
+ "PG&E Corporation","Utility","Energy Transition","Infrastructure Safety"
355
+ "PNC Financial Services","미국 대형 지역은행","상업 및 소매은행 종합 금융서비스","금리 민감 배당주"
356
+ "PPG Industries","Coatings and paints","Industrial and construction materials","Automotive and aerospace supply chain"
357
+ "PPL Corporation","regulated electric utilities","renewable and clean energy transition","infrastructure and grid modernization"
358
+ "PTC Inc.","Industrial IoT and smart manufacturing","CAD PLM and digital engineering software","Digital twin and augmented reality solutions"
359
+ "Paccar","Heavy duty trucks","Commercial vehicle electrification","North American freight and infrastructure cycle"
360
+ "Packaging Corporation of America","Corrugated packaging and containerboard","E-commerce and shipping logistics demand","Sustainable and recycled paper-based packaging"
361
+ "Palantir Technologies","Data analytics and AI platforms","Government and defense technology","Enterprise digital transformation"
362
+ "Palo Alto Networks","네트워크 보안 솔루션","클라우드 및 제로트러스트 보안","SASE 및 보안 구독 서비스"
363
+ "Paramount Skydance Corporation","Media and entertainment consolidation","Content streaming and direct to consumer","Intellectual property and franchise expansion"
364
+ "Parker Hannifin","산업 자동화 및 모션제어","에너지 효율 및 친환경 인프라","항공우주 및 방산 부품"
365
+ "PayPal","Digital payments","E-commerce fintech","Online peer-to-peer payments"
366
+ "Paychex","Payroll and HR outsourcing","SMB-focused business services","Recurring subscription revenue"
367
+ "Paycom","Cloud-based HR and payroll software","Workforce management and automation","SaaS digital transformation for enterprises"
368
+ "Pentair","Water treatment and filtration","Industrial and residential water infrastructure","Sustainable water management and efficiency"
369
+ "PepsiCo","글로벌 식음료 기업","스낵 및 음료 브랜드 파워","배당 성장주"
370
+ "Pfizer","Global pharmaceuticals","Vaccine and infectious disease","Oncology and specialty drugs"
371
+ "Philip Morris International","글로벌 담배 및 니코틴 제품","무연·가열식 담배 전환","고배당 방어주"
372
+ "Phillips 66","Refining and marketing","Midstream and energy infrastructure","Clean fuels and energy transition"
373
+ "Pinnacle West Capital","미국 전력 유틸리티","재생에너지 전환","규제 산업 안정배당"
374
+ "Pool Corporation","Swim pool construction and renovation","Outdoor living and home improvement","Aftermarket pool maintenance and supplies"
375
+ "Principal Financial Group","retirement and pension services","asset and wealth management","life and health insurance"
376
+ "Procter & Gamble","Consumer Staples","Dividend Aristocrats","Global Household Products"
377
+ "Progressive Corporation","Property and casualty insurance","Auto insurance and telematics","Direct-to-consumer insurance distribution"
378
+ "Prologis","Logistics REITs","E-commerce infrastructure","Industrial real estate"
379
+ "Prudential Financial","미국 생명보험","자산운용·자산관리","배당주·가치주"
380
+ "Public Service Enterprise Group","Regulated electric and gas utilities","Clean energy transition and decarbonization","Infrastructure and grid modernization"
381
+ "Public Storage","Self-storage REIT","Income-focused dividend investment","Defensive real estate play"
382
+ "PulteGroup","US homebuilding","Housing market cycle","Interest rate sensitive stocks"
383
+ "Qnity Electronics","Consumer Electronics","Smart Devices and IoT","Global Tech Manufacturing Supply Chain"
384
+ "Qualcomm","5G 통신칩 및 인프라","모바일 AP와 스마트폰 반도체","IoT 및 엣지 컴퓨팅 반도체"
385
+ "Quanta Services","Grid modernization and transmission infrastructure","Renewable energy and EV charging build-out","Utility and energy infrastructure services"
386
+ "Quest Diagnostics","Diagnostics and laboratory testing","Personalized and preventive healthcare","Healthcare cost management and outsourcing"
387
+ "RTX Corporation","Aerospace and defense","Missile and space systems","Commercial aviation systems"
388
+ "Ralph Lauren Corporation","Premium fashion and lifestyle brand","Global apparel and accessories","Consumer discretionary and luxury spending"
389
+ "Raymond James Financial","Wealth management and financial advisory","Capital markets and investment banking","Interest rate sensitive financials"
390
+ "Realty Income","Monthly dividend income","Defensive retail real estate REIT","Long-term stable cash flow"
391
+ "Regency Centers","Grocery-anchored shopping centers","Neighborhood retail real estate","Community-focused REIT"
392
+ "Regeneron Pharmaceuticals","Biotech Large-cap Growth","Immunology and Inflammatory Diseases","Ophthalmology and Rare Disease Therapies"
393
+ "Regions Financial Corporation","Regional banks","US financials","Interest rate sensitive stocks"
394
+ "Republic Services","Waste Management","Environmental Services","Sustainability and Recycling"
395
+ "ResMed","수면무호흡증 치료기기","디지털 헬스케어 및 원격 모니터링","고령화 연관 의료기기 성장주"
396
+ "Revvity","Life science tools","Diagnostics and clinical testing","Biopharma research and drug discovery support"
397
+ "Robinhood Markets","온라인 브로커리지","리테일 투자자 플랫폼","핀테크 디지털 자산거래"
398
+ "Rockwell Automation","Industrial automation","Smart factory and IIoT","Robotics and manufacturing efficiency"
399
+ "Rollins, Inc.","Pest control services","Residential and commercial facility maintenance","Recurring revenue business model"
400
+ "Roper Technologies","산업용 소프트웨어 및 자동화","데이터 분석 및 클라우드 기반 비즈니스 솔루션","헬스케어 및 인프라 기술 디지털화"
401
+ "Ross Stores","오프프라이스 리테일","불황기 방어적 소비재","미국 오프라인 할인 유통"
402
+ "Royal Caribbean Group","크루즈 여행 리오프닝 수혜","글로벌 레저·관광 소비 성장","고가 럭셔리 여행 및 프리미엄 서비스"
403
+ "S&P Global","글로벌 금융정보 서비스","지수 및 신용평가 독점사업","데이터 기반 핀테크·리스크관리"
404
+ "SBA Communications","Wireless communication infrastructure","5G network expansion","Telecom tower REIT-like cashflow"
405
+ "Salesforce","cloud computing","enterprise SaaS","customer relationship management"
406
+ "Schlumberger","에너지 서비스","석유 및 가스 탐사개발","오프쇼어 및 셰일 시추"
407
+ "Seagate Technology","AI 데이터센터 스토리지","HDD 및 스토리지 장비","클라우드 인프라 디지털전환"
408
+ "Sempra","미국 유틸리티","천연가스 인프라","청정에너지·재생에너지 전환"
409
+ "ServiceNow","cloud-based workflow automation","enterprise digital transformation","IT service management platform"
410
+ "Sherwin-Williams","Global coatings leader","Construction and housing cycle","Industrial and automotive refinishing"
411
+ "Simon Property Group","미국 상업용 리츠","프리미엄 오프라인 쇼핑몰","배당 성장 가치주"
412
+ "Skyworks Solutions","5G 통신 반도체","스마트폰 RF칩 공급망","IoT 및 연결성 칩셋"
413
+ "Smurfit Westrock","글로벌 골판지 포장재","친환경 재활용 패키징","이커머스 물류 수혜"
414
+ "Snap-on","Automotive tools and diagnostics","Industrial and professional equipment","Aftermarket vehicle service and repair"
415
+ "Solstice Advanced Materials","Advanced materials","Semiconductor and electronics supply chain","Sustainable and high-performance industrial materials"
416
+ "Solventum","Medical technology","Healthcare consumables and supplies","Hospital and clinical solutions"
417
+ "Southern Company","미국 규제 유틸리티","배당주 인컴 투자","청정에너지·전력 인프라"
418
+ "Southwest Airlines","미국 항��사","국내선 저가항공(LCC)","여행·레저 회복 수혜"
419
+ "Stanley Black & Decker","Industrial tools and equipment","Home improvement and DIY","Construction and infrastructure"
420
+ "Starbucks","Global coffeehouse chain","Consumer discretionary","Brand loyalty and lifestyle"
421
+ "State Street Corporation","Global Custody and Asset Servicing","ETF and Index Fund Management","Institutional Asset Management and Securities Lending"
422
+ "Steel Dynamics","U.S. steel production and mini-mill expansion","Automotive and construction steel demand","Infrastructure spending and reshoring of manufacturing"
423
+ "Steris","Infection prevention and sterilization","Healthcare and medical devices","Hospital and surgical infrastructure"
424
+ "Stryker Corporation","Medical devices","Orthopedic implants","Surgical robotics"
425
+ "Supermicro","AI 서버 인프라","데이터센터 고성능 컴퓨팅","엔비디아 생태계 수혜주"
426
+ "Synchrony Financial","Consumer finance","Credit cards and private-label cards","Retail and e-commerce financing"
427
+ "Synopsys","Electronic Design Automation","Semiconductor IP Licensing","AI-driven Chip Design"
428
+ "Sysco","Foodservice distribution","Hospitality and restaurant supply chain","Institutional and healthcare catering"
429
+ "T-Mobile US","미국 이동통신 3사","5G 인프라 및 네트워크 투자","통신 서비스 구독 기반 캐시플로우"
430
+ "T. Rowe Price","자산운용사","액티브 펀드 운용","배당 성장주"
431
+ "TE Connectivity","Industrial connectivity","Automotive and EV components","5G and IoT infrastructure"
432
+ "TJX Companies","Off-price retail","Consumer discretionary","Brick-and-mortar resilience"
433
+ "TKO Group Holdings","스포츠 엔터테인먼트","격투기 및 프로레슬링 콘텐츠","글로벌 미디어 라이선싱"
434
+ "Take-Two Interactive","비디오게임 소프트웨어","콘솔 및 PC게임 퍼블리셔","엔터테인먼트·미디어 콘텐츠"
435
+ "Tapestry, Inc.","Global luxury fashion","Accessible premium handbags and accessories","China and digital-driven growth"
436
+ "Targa Resources","Midstream energy infrastructure","Natural gas liquids and LNG value chain","US shale and export-driven energy demand"
437
+ "Target Corporation","Big-box retail","Omnichannel e-commerce","Consumer discretionary spending"
438
+ "Teledyne Technologies","Aerospace and defense technology","High-performance sensors and imaging","Test, measurement and industrial instrumentation"
439
+ "Teradyne","Semiconductor test equipment","Industrial automation and robotics","5G and advanced packaging validation"
440
+ "Tesla, Inc.","Electric vehicles","Autonomous driving","Energy storage and renewable energy"
441
+ "Texas Instruments","Analog semiconductors","Industrial and automotive chips","Power management and embedded processing"
442
+ "Texas Pacific Land Corporation","에너지 로열티 수익","셰일오일 생산 증가 수혜","텍사스 토지 및 수자원 자산가치"
443
+ "Textron","Aerospace and defense","Business jets and general aviation","Military helicopters and unmanned systems"
444
+ "Thermo Fisher Scientific","Life Sciences Tools and Diagnostics","Biopharma R&D and Manufacturing Enablement","Laboratory Automation and Analytical Instruments"
445
+ "Tractor Supply","Rural lifestyle retail","Pet and livestock supplies","DIY home and farm improvement"
446
+ "Trade Desk (The)","Adtech","Programmatic Advertising","Digital Media Monetization"
447
+ "Trane Technologies","HVAC and climate control solutions","Energy efficiency and green building","Industrial equipment and infrastructure"
448
+ "TransDigm Group","Aerospace and defense components","Aftermarket aviation services","Mission‑critical engineered products"
449
+ "Travelers Companies (The)","손해보험","미국 금융주","배당 성장주"
450
+ "Trimble Inc.","Construction technology","Geospatial and positioning solutions","Industrial digitalization and automation"
451
+ "Truist Financial","US regional banking","retail and commercial finance","interest rate sensitive financials"
452
+ "Tyler Technologies","GovTech and digital government services","Public sector SaaS and cloud transformation","Justice, public safety, and civic administration software"
453
+ "Tyson Foods","Food processing","Protein demand growth","Agribusiness and commodities"
454
+ "U.S. Bancorp","미국 지역은행","상업 및 소매 대출","배당주 및 안정적 현금흐름"
455
+ "UDR, Inc.","Multifamily residential REIT","Urban apartment demand","Income-focused dividend investing"
456
+ "Uber","Ride-hailing platform","Food and grocery delivery","Autonomous and mobility as a service"
457
+ "Ulta Beauty","미국 뷰티 리테일","옴니채널 코스메틱 유통","프리미엄 뷰티 소비 성장"
458
+ "Union Pacific Corporation","North American freight railroads","U.S. infrastructure and logistics","Industrial and economic cycle exposure"
459
+ "United Airlines Holdings","글로벌 항공 여객 수요 회복","국제선 및 장거리 노선 확대","유가 및 연료 효율성에 따른 수익성 변화"
460
+ "United Parcel Service","글로벌 물류 배송","전자상거래 수혜주","라스트마일 딜리버리"
461
+ "United Rentals","Infrastructure construction cycle","Equipment rental and sharing economy","Industrial capex and manufacturing expansion"
462
+ "UnitedHealth Group","Managed care health insurance","Value based healthcare and cost containment","Aging population and rising healthcare spending"
463
+ "Universal Health Services","Hospital management and operations","Behavioral and mental health services","US healthcare reimbursement and policy"
464
+ "Valero Energy","Refining and downstream energy","Diesel and jet fuel demand recovery","U.S. Gulf Coast export-driven refiners"
465
+ "Ventas","Healthcare REIT","Senior housing and aging demographics","Defensive income with real estate diversification"
466
+ "Veralto","Water treatment and purification","Environmental testing and analytical instruments","Regulatory-driven sustainability solutions"
467
+ "Verisign","Domain name infrastructure","Cybersecurity and internet trust","Monopolistic internet utilities"
468
+ "Verisk Analytics","데이터 분석 및 인슈어테크","리스크 관리 및 규제 컴플라이언스","보험 및 금융 디지털 전환"
469
+ "Verizon","US telecom carrier","5G infrastructure","Dividend income"
470
+ "Vertex Pharmaceuticals","Cystic fibrosis targeted therapy","Gene editing and CRISPR-based treatments","Rare disease and orphan drug biopharma"
471
+ "Viatris","글로벌 제네릭 의약품","바이오시밀러 및 특수의약품","의료비 절감 및 헬스케어 접근성 확대"
472
+ "Vici Properties","카지노 리츠","엔터테인먼트·레저 부동산","고배당 수익형 자산"
473
+ "Visa Inc.","글로벌 결제 네트워크","현금 없는 사회 디지털결제","핀테크 및 전자상거래 성장 수혜"
474
+ "Vistra Corp.","US power generation","Energy transition and decarbonization","Electricity demand from data centers and AI"
475
+ "Vulcan Materials Company","Infrastructure construction materials","U.S. housing and nonresidential construction cycle","Government-funded transportation and infrastructure spending"
476
+ "W. R. Berkley Corporation","손해보험 전문기업","상업용·특수보험 니치마켓","보험료 인상 수혜주"
477
+ "W. W. Grainger","Industrial distribution","MRO supplies","E-commerce for B2B industrial products"
478
+ "WEC Energy Group","Regulated utility","Clean energy transition","Dividend income"
479
+ "Wabtec","Railroad equipment manufacturer","Railway digitalization and automation","Freight rail infrastructure modernization"
480
+ "Walmart","Big-box retail","Defensive consumer staples","Omnichannel e-commerce"
481
+ "Walt Disney Company (The)","미디어 콘텐츠","스트리밍 플랫폼","테마파크 레저"
482
+ "Warner Bros. Discovery","글로벌 미디어 콘텐츠","스트리밍 플랫폼 경쟁","IP 기반 프랜차이즈 수익화"
483
+ "Waste Management","Waste management services","Environmental sustainability","Recycling and circular economy"
484
+ "Waters Corporation","Analytical instruments","Life science and biopharma R&D","Quality control and regulatory compliance solutions"
485
+ "Wells Fargo","미국 대형 상업은행","금리 상승 수혜주","배당 안정 추구 가치주"
486
+ "Welltower","헬스케어 리츠","고령화 수혜주","방어적 배당주"
487
+ "West Pharmaceutical Services","Drug delivery systems","Biologics and injectable packaging","Pharma and biotech manufacturing supply chain"
488
+ "Western Digital","Data storage hardware","Solid-state drives SSDs","Cloud and hyperscale data centers"
489
+ "Weyerhaeuser","미국 임업 및 목재 리츠","주택 건설 및 목재 수요 회복","탄소흡수원·ESG 친환경 자산"
490
+ "Williams Companies","미국 천연가스 파이프라인 인프라","LNG 및 가스 수요 증가 수혜","배당 중심 미드스트림 에너지"
491
+ "Williams-Sonoma, Inc.","Home furnishings retail","E-commerce and omnichannel strategy","Premium lifestyle and housing-related consumption"
492
+ "Willis Towers Watson","Global insurance brokerage","Risk management and consulting","Employee benefits and HR solutions"
493
+ "Workday, Inc.","Cloud-based enterprise software","Human capital management solutions","Subscription-based SaaS business model"
494
+ "Wynn Resorts","Global casino and integrated resort","Macau and Las Vegas tourism recovery","Premium mass and VIP gaming demand"
495
+ "Xcel Energy","미국 전력 유틸리티","재생에너지 전환","배당 성장주"
496
+ "Xylem Inc.","Water infrastructure","Water treatment and reuse","Smart metering and digital water solutions"
497
+ "Yum! Brands","글로벌 외식 프랜차이즈","퀵서비스 레스토랑(QSR)","배달 및 디지털 주문 성장"
498
+ "Zebra Technologies","자동인식 및 바코드 솔루션","물류·공급망 디지털 전환","산업용 모바일 컴퓨팅 및 사물인터넷"
499
+ "Zimmer Biomet","정형외과 임플란트","고령화 의료기기 수혜","관절 치환 및 재건술"
500
+ "Zoetis","Animal Health","Pet Care and Veterinary Services","Livestock Productivity and Disease Prevention"
501
+ "eBay Inc.","Global e-commerce platform","Online marketplace and C2C trading","Digital payments and fintech integration"
502
+ "Microsoft Corporation","Cloud computing","Productivity software and AI","Enterprise and operating systems"
503
+ "Amazon.com, Inc.","E-commerce and online retail","Cloud computing and AWS","Digital advertising and subscription services"
504
+ "NVIDIA Corporation","AI semiconductor","GPU and data center infrastructure","Autonomous driving and edge computing"
505
+ "Alphabet Inc.","Digital advertising and online media","Cloud computing and enterprise SaaS","Artificial intelligence and data-driven services"
506
+ "Alphabet Inc. Class C","글로벌 검색 광고 플랫폼","클라우드 컴퓨팅과 인공지능","디지털 미디어 및 유튜브 성장"
507
+ "AppLovin Corporation","Mobile advertising platform","App monetization and analytics","Adtech and performance marketing"
508
+ "Meta Platforms, Inc. Class A","Social media platform","Digital advertising","Metaverse and VR/AR"
509
+ "Netflix, Inc.","Streaming platform","Original content production","Global subscription growth"
510
+ "Salesforce, Inc.","Cloud-based CRM platform","Enterprise digital transformation","Subscription SaaS business model"
511
+ "Broadcom Inc.","Semiconductors and chip design","5G and data center infrastructure","AI and high-performance computing"
512
+ "Robinhood Markets, Inc.","온라인 증권거래 플랫폼","모바일 핀테크 혁신","개인투자자 리테일 트레이딩"
513
+ "Alphabet Inc. Class A","빅테크 플랫폼 기업","온라인 광고 및 디지털 마케팅","클라우드 컴퓨팅과 인공지능"
514
+ "Alphabet Inc. Class C Capital Stock","온라인 광고 플랫폼","클라우드 컴퓨팅 및 인공지능","디지털 미디어와 구글 생태계"
data_stock_news/AAPL.csv ADDED
@@ -0,0 +1,141 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ Name,date,time,news
2
+ Apple,2025-12-03,17:58,"애플(AAPL.O), 시리 개편 난항 속 AI 책임자 교체
3
+ 애플 로고. (사진=연합뉴스) [알파경제=(시카고) 김지선 특파원] 애플의 인공지능(AI) ..."
4
+ Apple,2025-12-03,17:58,"애플(AAPL)의 AI 리더십 변화가 주주에게 주는 의미
5
+ Apple은 머신 러닝 및 AI 전략 담당 수석 부사장인 존 지아난드레아가 물러나고 2026년 봄에 은퇴하기 전까지 고문으로 활동할 예정이며, 아마르 수브라마냐가 앞으로..."
6
+ Apple,2025-12-03,17:58,"애플 주가, 화요일 사상 최고치 경신한 이유는?
7
+ 애플(NASDAQ:AAPL) 주가는 화요일(2일) 오전 사상 최고치를 경신했다. 인공지능(AI) 부문의 적극적인 리더십 교체와 기록적인 연말 분기 실적을 시사하는 강력한 판매..."
8
+ Apple,2025-12-03,17:58,"[TODAY애플]아이폰17 돌풍에 사상 최고가 '질주'…AI 우려 씻었다
9
+ 애플(AAPL)이 신작 '아이폰17' 시리즈의 판매 호조에 힘입어 사상 최고가를 갈아치우며 강세를 보이고 있다.2일(현지시간) 오후3시20분 현재 주가는 전일대비 1.15%..."
10
+ Apple,2025-12-03,17:58,"삼성 vs 애플: 폴더블폰 전쟁의 격화
11
+ 삼성전자(OTC:SSNLF)는 올해 가장 큰 폴더블 혁신을 선보이면서 폭탄을 투하했지만, 애플(NASDAQ:AAPL)은 아직 출시하지 않으면서 폭탄의 안전핀도 뽑지 못한 상태다."
12
+ Apple,2025-12-03,17:58,"AAPL: Apple Stock Hits Record High, Reaching $4.2 Trillion in Value. What’s Behind the Rise?
13
+ Apple stock AAPL hit a fresh all-time high at a $4.2 trillion valuation, or $286.19 a share, extending a seven-day winning streak – its longest since May..."
14
+ Apple,2025-12-03,17:58,"Loop Capital raises Apple stock price target to $325 on iPhone model mix shift
15
+ Investing.com - Loop Capital has raised its price target on Apple (NASDAQ:AAPL) to $325.00 from $315.00 while maintaining a Buy rating on the stock."
16
+ Apple,2025-12-03,17:58,"Loop Capital Maintains Apple (AAPL) Buy Recommendation
17
+ Fintel reports that on December 2, 2025, Loop Capital maintained coverage of Apple (NasdaqGS:AAPL) with a Buy recommendation."
18
+ Apple,2025-12-03,17:58,"Apple (AAPL): Examining Valuation After Record iPhone 17 Sales, Market Share Gains, and Fresh AI Leadership
19
+ Apple is once again making headlines as it claims a record market share, helped by surging iPhone 17 sales across the US and China."
20
+ Apple,2025-12-03,17:58,"Apple (AAPL) tags five-year parallel channel high, top likely in
21
+ Shares of Apple Inc. (AAPL) have rallied even as the broader markets have stumbled. We are seeing clear rotation into the iPhone maker as a defensive play,..."
22
+ Apple,2025-12-04,17:58,"메타(META.O), 애플(AAPL.O) 핵심 디자인 수장 전격 영입…소비자용 AI 기기 개발 가속화
23
+ 한눈에 보는 오늘 : 경제 - 뉴스 : 메타 플랫폼스. (사진=연합뉴스)[알파경제=(시카고) 김지선 특파원] 미국 메타플랫폼스가 애플의 오랜 핵심 디자인 임원 앨런 다이..."
24
+ Apple,2025-12-04,17:58,"“애플 앱스토어 둔화 현실화”… 서비스 사업 전체는 ‘여전히 견조’-골드만삭스
25
+ [이데일리 이은주 기자]애플(AAPL) 서비스 사업의 핵심인 앱스토어가 성장 둔화 조짐을 보인다는 경고가 나왔다. 3일(현지시간) 벤징가에 따르면 마이클 응 골드만삭스..."
26
+ Apple,2025-12-04,17:58,"애플(AAPL.N), AI 핵심 인재 영입…본격적인 AI 전략 가속 신호
27
+ 한눈에 보는 오늘 : 경제 - 뉴스 : (사진=연합뉴스)[알파경제=김민영 기자] 애플(AAPL.N)이 AI 조직 개편과 핵심 인재를 영입하면서 AI 수익화로 향하는 핵심 전환점이..."
28
+ Apple,2025-12-04,17:58,"[美특징주]애플, 올해 아이폰 출하량 사상 최고 기대…개장 전 '약보합'
29
+ 애플(AAPL)이 올해 최신 아이폰 모델과 중국 시장 내 부활로 아이폰 출하량이 사상 최고치를 기록할 것으로 전망됐다.3일(현지시간) IDC가 발표한 보고서에 따르면..."
30
+ Apple,2025-12-04,17:58,"[TODAY애플]‘아이폰17’ 초강세 전망에 장중 최고가…오후장 차익 매물에 약세 전환
31
+ 애플(AAPL)이 내년 아이폰 출하량이 역대 최대를 경신할 것이란 전망에 장중 사상 최고가를 터치했지만 오후 들어 차익실현 매물에 밀리며 약세로 돌아섰다.3일(현지..."
32
+ Apple,2025-12-04,17:58,"Apple iPhone 17 Sales Are Booming. Its Stock Is Hitting Record Highs Too.
33
+ Sales of the iPhone will hit a record high in 2025 thanks in large part to huge demand from Chinese consumers, according to a new research report."
34
+ Apple,2025-12-04,17:58,"Apple (AAPL) Gains Analyst Confidence as iPhone 17 Lead Times Rise Ahead of Holiday Season
35
+ Apple Inc. (NASDAQ:AAPL) is one of the Buzzing AI Stocks on Wall Street. On December 1, JPMorgan has reiterated its Overweight rating on the stock with a..."
36
+ Apple,2025-12-04,17:58,"Assessing Apple (AAPL) Valuation After Recent 3-Month Outperformance
37
+ Why Apple Stock Is Back in Focus Apple (AAPL) has quietly outpaced the broader market over the past 3 months, climbing about 19%, and that steady move..."
38
+ Apple,2025-12-04,17:58,"Apple to Drive 2025 Smartphone Growth, but IDC Sees Global Shipments Falling in 2026
39
+ Apple (AAPL, Financials) is set for a record smartphone year in 2025, but global shipments are forecast to decline in 2026 as rising memory costs push..."
40
+ Apple,2025-12-04,17:58,"Apple (AAPL) Stock: iPhone 17 Crushes Records With 247 Million Shipments Coming in 2025
41
+ Apple stock hits record 247.4M iPhone shipments in 2025 as iPhone 17 dominates China with 20% share and drives 6% global growth per IDC forecast."
42
+ Apple,2025-12-05,17:58,"애플(AAPL.O), 메타(META.O) 출신 새 법무총괄 영입...양사 간 인사 이동 이어져
43
+ 애플 로고. (사진=연합뉴스) [알파경제=(시카고) 김지선 특파원] 미국 대표 빅테크 기업 ..."
44
+ Apple,2025-12-05,17:58,"Here’s Why Apple (AAPL) is on the Detectors List of Brown Advisory Large-Cap Growth Strategy
45
+ Brown Advisory, an investment management company, released its “Brown Advisory Large-Cap Growth Strategy” third-quarter 2025 investor letter. A copy of the..."
46
+ Apple,2025-12-05,17:58,"Apple: Inventory Does Not Lie (NASDAQ:AAPL)
47
+ Apple Inc. FQ4 reported sales growth of 7.86% YoY and inventory down 21.5%. Click here to read why AAPL stock is a Hold."
48
+ Apple,2025-12-05,17:58,"Analysts’ Opinions Are Mixed on These Technology Stocks: Box (BOX), Apple (AAPL) and Block (XYZ)
49
+ Companies in the Technology sector have received a lot of coverage today as analysts weigh in on Box (BOX – Research Report), Apple (AAPL – Research Report)..."
50
+ Apple,2025-12-05,17:58,"Apple (AAPL) Stock: Plunge as New Executive Appointments Set to Shape the Future
51
+ Apple announces executive changes with Jennifer Newstead as new general counsel. Her leadership combines legal and government affairs expertise,..."
52
+ Apple,2025-12-05,17:58,"GOOG, AMZN and AAPL Forecast – Giants a Bit Quiet in Early Trading on Thursday
53
+ US stocks trade quietly in the pre-market, with Google, Amazon, and Apple showing restrained movement after extended advances. Key technical levels continue..."
54
+ Apple,2025-12-05,17:58,"After Hours Most Active for Dec 4, 2025 : AVPT, NVDA, CMCSA, INTC, KO, WMB, GM, DIS, MRK, AMZN, AAPL, BSX
55
+ The NASDAQ 100 After Hours Indicator is down -2.19 to 25579.51. The total After hours volume is currently 122958176 shares traded.The following are the most..."
56
+ Apple,2025-12-05,17:58,"What Could Spark the Next Big Move In Apple Stock
57
+ What Could Make AAPL Stock Fly. How Strong Are Financials Right Now. Risk Quantified. The Right Way To Invest Is Through Portfolios. More From Trefis."
58
+ Apple,2025-12-05,17:58,"J.P. Morgan Maintains Apple(AAPL.US) With Buy Rating, Maintains Target Price $305
59
+ J.P.Morgan analyst Samik Chatterjee maintains $Apple(AAPL.US)$ with a buy rating, and maintains the target price at $305.According to TipRanks data,..."
60
+ Apple,2025-12-05,17:58,"Apple (AAPL) Stock Quotes, Company News And Chart Analysis
61
+ Get instant access to exclusive stock lists, expert market analysis and powerful tools with 2 months of IBD Digital for only $20!"
62
+ Apple,2025-12-06,17:58,"애플의 2025년 기업가치는 다년간의 강력한 랠리 이후에도 여전히 합리적일까요?
63
+ 애플이 현재 수준에서 여전히 매수할 만한 종목인지 궁금하다면 혼자가 아닙니다. 이 글에서는 기본 가치에 대한 수치가 말하는 바에 초점을 맞출 것입니다."
64
+ Apple,2025-12-06,17:58,"애플, 84개국 이용자에 또다시 사이버 위협 경고 발송… 감시 시도 차단 강화
65
+ [이데일리 이은주 기자]애플(AAPL)이 지난 2일(현지시간) 국가 지원 해커에 의한 공격 가능성이 발견됐다며 전 세계 84개국 이용자들에게 새로운 사이버 위협 경고를..."
66
+ Apple,2025-12-06,17:58,"[TODAY애플]AI·신제품 기대에도 숨 고르기…약보합
67
+ 애플(AAPL)은 아이폰17 흥행과 인공지능(AI) 사업 기대감에도 불구하고 차익실현 매물이 출회되며 주가가 약세를 보이고 있다.5일(현지시간) 오후3시26분 주가는 전일..."
68
+ Apple,2025-12-06,17:58,"Apple Inc. (AAPL): A Bull Case Theory
69
+ We came across a bullish thesis on Apple Inc. on Compounding Your Wealth's Substack by Sergey. In this article, we will summarize the bulls' thesis on AAPL."
70
+ Apple,2025-12-06,17:58,"AAPL - Apple Inc Stock Price and Quote
71
+ Upgrade your FINVIZ experience. Join thousands of traders who make more informed decisions with our premium features. Real-time quotes, advanced visualizations,..."
72
+ Apple,2025-12-06,17:58,"AAPL Stock: Apple Stock Price Target Raised to $330 as iPhone Sales Drive Surge
73
+ CLSA has raised its price target on Apple to $330 from $265, citing strong iPhone sales and rising revenue as key reasons."
74
+ Apple,2025-12-06,17:58,"Here are Friday's biggest analyst calls: Nvidia, Apple, CoreWeave, Broadcom, Alphabet, Netflix, & more
75
+ Here are the biggest calls on Wall Street on Friday."
76
+ Apple,2025-12-06,17:58,"Apple sends new round of cyber threat notifications to users in 84 countries
77
+ Apple NASDAQ:AAPL has sent a new round of cyber threat notifications to users in 84 countries, the company said on Friday, announcing its latest efforts to..."
78
+ Apple,2025-12-06,17:58,"Apple Inc. (AAPL) CLSA Upgrades Valuation Forecast
79
+ Detailed price information for Apple Inc (AAPL-Q) from The Globe and Mail including charting and trades."
80
+ Apple,2025-12-06,17:58,"Apple Made a Comeback with the iPhone 17, But Will Executive Exits Pull Down AAPL Stock?
81
+ Apple (AAPL), which failed to make a mark with the iPhone 16, its first handset with the flagship “Apple Intelligence” features, seems to be making a..."
82
+ Apple,2025-12-07,17:59,"진 먼스터, 팀 쿡의 AI 전략 재설정 성공 전망···애플이 ‘매그 7’ 주도할 것
83
+ 금요일(5일) 딥워터 자산운용의 진 먼스터는 애플(NASDAQ:AAPL)의 대규모 경영진 개편이 인공지능(AI) 분야에서의 입지를 강화하기 위한 전략적 재설정이라고 분석하며..."
84
+ Apple,2025-12-07,17:59,"애플의 칩 책임자 조니 스루지, 퇴사 ‘진지하게 고려 중’···아이폰·맥 실리콘 미래에 경고등
85
+ 애플(NASDAQ:AAPL) 최고 칩 책임자 조니 스루지의 잠재적 이탈 가능성은 인공지능(AI) 야망 가속화에 대한 압박이 커지는 가운데 애플의 리더십 안정성에 대한 우려를..."
86
+ Apple,2025-12-07,17:59,"Apple (AAPL) Earns $320 Target as Services Strength Offsets App Store Slowdown
87
+ Apple Inc. (NASDAQ:AAPL) is one of the AI Stocks Analysts are Tracking Closely. On December 3, Goldman Sachs maintained its Buy rating on the stock with a..."
88
+ Apple,2025-12-07,17:59,"Apple Stock Price Forecast: AAPL Targets to $330 With 18.7% Upside Potential
89
+ Trading News Apple (NASDAQ:AAPL) trades near $278 after Q4 revenue hit $102.5B and Services surged 15% YoY. Analysts see upside toward $330 | That's Tradin."
90
+ Apple,2025-12-07,17:59,"Apple (AAPL) price target raised as Loop Capital sees stronger iPhone 17 demand
91
+ Apple Inc. (NASDAQ:AAPL) is one of the AI Stocks in Focus This Week. On December 2nd, Loop Capital analyst Gary Mobley raised the price target on the stock..."
92
+ Apple,2025-12-07,17:59,"Why Apple's Momentum Isn't Accidental (NASDAQ:AAPL)
93
+ Apple's Services grew 15% YoY to $28.8B with strong device demand, high margins, and AI-driven CapEx fueling long-term profitability. Read why AAPL stock is..."
94
+ Apple,2025-12-07,17:59,"Apple Inc. Stock (AAPL) Opinions on Recent Layoffs and Leadership Speculation
95
+ Layoffs Spark Debate: Recent discussions on X about Apple Inc. have centered on the company's unexpe."
96
+ Apple,2025-12-07,17:59,"Key facts: Apple boosts cash returns; App Store revenue growth slows; VP may leave
97
+ Apple's capital spending is low compared to other tech firms, allowing for a strong cash-return program expected to surpass $1 trillion in dividends and..."
98
+ Apple,2025-12-07,17:59,"Why Apple Stock Sank Today
99
+ Apple (NASDAQ: AAPL) stock saw a significant sell-off in Wednesday's trading. The tech giant's share price fell 3.2% in a daily session that saw the S&P 500..."
100
+ Apple,2025-12-07,17:59,"Here's Why Apple Is My Second Biggest Holding Going Into 2026
101
+ Apple (NASDAQ: AAPL) spent much of 2025 out of favor as investors worried about stalled growth and a late pivot into AI (artificial intelligence)."
102
+ Apple,2025-12-08,14:59,"애플(AAPL.O) ′칩 책임자′ 조니 스루지, 퇴사 고려 …아이폰·맥 실리콘 미래에 경고등 : 알파경제TV
103
+ (출처:알파경제 유튜브) [알파경제=영상제작국] 애플의 최고 칩 설계 책임자인 조니 ..."
104
+ Apple,2025-12-08,07:59,"애플(AAPL.O) ′칩 책임자′ 조니 스루지, 퇴사 고려 …아이폰·맥 실리콘 미래에 경고등
105
+ 애플 로고. (사진=연합뉴스) [알파경제=(시카고) 김지선 특파원] 애플의 최고 칩 책임자 ..."
106
+ Apple,2025-12-08,04:59,"Key facts: Apple Invests in AI; Faces Leadership Changes and Competition
107
+ Apple Inc. (AAPL) is heavily investing in AI infrastructure and data centers, joining major tech firms like Google, Amazon, and Microsoft in adapting to the..."
108
+ Apple,2025-12-08,15:59,"Wall Street Bull Says Apple Is Ready To Explode — 26% Rally Seen As iPhone 17 And AI Upgrade Cycle Kick In
109
+ Dan Ives hikes Apple (AAPL) target to $350, citing strong iPhone 17 sales and a 2026 AI supercycle. Read the bullish Wedbush forecast here."
110
+ Apple,2025-12-08,01:59,"Apple stock under pressure after major executive departures: what it means for AAPL’s AI roadmap
111
+ Apple stock faces mounting investor anxiety as key executives exit, threatening its AI roadmap, product timelines, and 2026 growth outlook."
112
+ Apple,2025-12-07,19:59,"Apple Inc. (AAPL): A bull case theory
113
+ We came across a bullish thesis on Apple Inc. on Compounding Your Wealth's Substack by Sergey. In this article, we will summarize the bulls' thesis on AAPL."
114
+ Apple,2025-12-08,12:59,"This Cash-Machine Stock Is Set to Triple Over the Next 5 Years
115
+ Detailed price information for Apple Inc (AAPL-Q) from The Globe and Mail including charting and trades."
116
+ Apple,2025-12-07,22:59,"(AAPL) Trading Report (AAPL:CA)
117
+ Trading Report for Apple CDR (CAD Hedged) AAPL With Buy and Sell Signals."
118
+ Apple,2025-12-08,14:59,"Apple Launches Yr-end Sale Campaign on CN E-commerce Platforms; 2 Models Priced Down by RMB300
119
+ Apple (AAPL.US)'s official flagship store launched a year-end sale campaign on e-commerce platforms today (8th), reducing the prices of iPhone 17 ..."
120
+ Apple,2025-12-08,12:59,"Investing.com South Africa
121
+ "
122
+ Apple,2025-12-08,14:59,"애플(AAPL.O) ′칩 책임자′ 조니 스루지, 퇴사 고려 …아이폰·맥 실리콘 미래에 경고등 : 알파경제TV
123
+ (출처:알파경제 유튜브) [알파경제=영상제작국] 애플의 최고 칩 설계 책임자인 조니 ..."
124
+ Apple,2025-12-08,07:59,"애플(AAPL.O) ′칩 책임자′ 조니 스루지, 퇴사 고려 …아이폰·맥 실리콘 미래에 경고등
125
+ 애플 로고. (사진=연합뉴스) [알파경제=(시카고) 김지선 특파원] 애플의 최고 칩 책임자 ..."
126
+ Apple,2025-12-08,09:59,"주간 애플 뉴스: 애플 칩 책임자의 퇴사 고려, 팀 쿡의 AI 전략 재편 등
127
+ 지난주는 애플(NASDAQ:AAPL)과 경쟁사들에게는 중대한 변화가 있었던 한 주였다. 애플 최고 경영진의 잠재적 퇴사, 전략적 재편, 핵심 법률 담당자 임명,..."
128
+ Apple,2025-12-08,13:59,"[AI의 종목 이야기] '임원 이탈 확산' 애플, 칩 총괄도 퇴사 검토
129
+ 한눈에 보는 오늘 : 경제 - 뉴스 : [서울=뉴스핌] 최원진 기자= 애플(NASDAQ: AAPL)이 고위 임원과 핵심 엔지니어들이 잇따라 회사를 떠나는 대규모 인사 변동을 겪는..."
130
+ Apple,2025-12-08,04:59,"Key facts: Apple Invests in AI; Faces Leadership Changes and Competition
131
+ Apple Inc. (AAPL) is heavily investing in AI infrastructure and data centers, joining major tech firms like Google, Amazon, and Microsoft in adapting to the..."
132
+ Apple,2025-12-08,01:59,"Apple stock under pressure after major executive departures: what it means for AAPL’s AI roadmap
133
+ Apple stock faces mounting investor anxiety as key executives exit, threatening its AI roadmap, product timelines, and 2026 growth outlook."
134
+ Apple,2025-12-08,14:59,"Apple Launches Yr-end Sale Campaign on CN E-commerce Platforms; 2 Models Priced Down by RMB300
135
+ Apple (AAPL.US)'s official flagship store launched a year-end sale campaign on e-commerce platforms today (8th), reducing the prices of iPhone 17 ..."
136
+ Apple,2025-12-08,12:59,"This Cash-Machine Stock Is Set to Triple Over the Next 5 Years
137
+ Detailed price information for Apple Inc (AAPL-Q) from The Globe and Mail including charting and trades."
138
+ Apple,2025-12-07,19:59,"Apple Inc. (AAPL): A bull case theory
139
+ We came across a bullish thesis on Apple Inc. on Compounding Your Wealth's Substack by Sergey. In this article, we will summarize the bulls' thesis on AAPL."
140
+ Apple,2025-12-07,22:59,"(AAPL) Trading Report (AAPL:CA)
141
+ Trading Report for Apple CDR (CAD Hedged) AAPL With Buy and Sell Signals."
data_stock_news/AMZN.csv ADDED
@@ -0,0 +1,141 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ Name,date,time,news
2
+ Amazon.com,2025-12-03,17:59,"아마존(AMZN.O), 30분 배송 서비스 ’아마존 나우’ 시작…美 2개 도시서 시범 운영 By 알파경제 alphabiz
3
+ 아마존(AMZN.O), 30분 배송 서비스 '아마존 나우' 시작…美 2개 도시서 시범 운영."
4
+ Amazon.com,2025-12-03,17:59,"[美특징주]아마존 '30분 배송' 도입…경쟁사 메이플베어 약세
5
+ 인스타카트의 모기업 메이플베어(CART)가 약세를 보이고 있다. 경쟁사인 아마존(AMZN)이 '초고속 배송' 시스템 도입을 시험 중이라는 보도가 나온 영향이다.2일(현지..."
6
+ Amazon.com,2025-12-03,17:59,"AMZN News Today, Dec 3: Amazon’s Ultrafast Delivery Service Shakes E-G
7
+ Amazon's ultrafast delivery service launch impacts Seattle and Philadelphia's retail dynamics. Learn how Amazon Now is reshaping local markets."
8
+ Amazon.com,2025-12-03,17:59,"Nasdaq 100 Grinds Higher, AMZN, AMD, TSLA Show Reversal Risks
9
+ The Nasdaq 100 pushes toward record highs, but Amazon, AMD and Tesla are flashing early reversal signals traders shouldn't ignore."
10
+ Amazon.com,2025-12-03,17:59,"Analysts Say AWS Will Drive ‘Significant Upside’ for Amazon. Should You Buy AMZN Stock Now?
11
+ From a price-action perspective, 2025 has been a year of consolidation for Amazon (AMZN) stock. Therefore, as Amazon continues to deliver earnings surprises..."
12
+ Amazon.com,2025-12-03,17:59,"AWS (NASDAQ: AMZN) scales Trainium3 UltraServers to 144 chips, 362 FP8 PFLOPs
13
+ Amazon EC2 Trn3 UltraServers on AWS's first 3nm AI chip deliver 4x greater energy efficiency and 4x lower latency, helping customers cut AI costs by up to..."
14
+ Amazon.com,2025-12-03,17:59,"Amazon (AMZN) Stock: BlackRock and CrowdStrike Join Cloud Platform Expansion
15
+ Amazon AMZN stock rises on AWS partnerships with BlackRock, CrowdStrike, Visa, S&P Global, and Trane Technologies at re:Invent 2025 conference."
16
+ Amazon.com,2025-12-03,17:59,"Why This AI Cloud Stock Could Be the Market's Biggest Sleeper
17
+ There are a few different ways to invest in artificial intelligence (AI) cloud stocks. Some of the biggest companies in the world -- Amazon (NASDAQ: AMZN),..."
18
+ Amazon.com,2025-12-03,17:59,"AMZN, NVDA: Amazon Taps Nvidia’s NVLink Fusion for Trainium4 Servers
19
+ Amazon ($AMZN) plans to use Nvidia's ($NVDA) latest NVLink Fusion technology in its next generation artificial intelligence (AI) accelerators, Trainium4."
20
+ Amazon.com,2025-12-03,17:59,"Amazon: Expect Big Trainium Updates This Week (NASDAQ:AMZN)
21
+ Amazon.com, Inc. stock rated buy as AWS accelerates with data center, AI, and custom silicon expansions. Click for my AMZN stock update."
22
+ Amazon.com,2025-12-04,17:59,"Oppenheimer Boosts Amazon (AMZN) Price Target on Strong AWS Growth Outlook
23
+ Amazon.com, Inc. (NASDAQ:AMZN) is one of the AI Stocks in Focus This Week. On December 1, Oppenheimer raised its price target on the stock to $305.00 from..."
24
+ Amazon.com,2025-12-04,17:59,"B of A Securities Maintains Amazon.com (AMZN) Buy Recommendation
25
+ Fintel reports that on December 3, 2025, B of A Securities maintained coverage of Amazon.com (NasdaqGS:AMZN) with a Buy recommendation."
26
+ Amazon.com,2025-12-04,17:59,"Amazon stock gets Overweight rating reiteration from Piper Sandler
27
+ Investing.com - Piper Sandler has reiterated its Overweight rating and $233.00 price target on Amazon.com (NASDAQ:AMZN) stock, citing positive holiday..."
28
+ Amazon.com,2025-12-04,17:59,"Amazon (AMZN) Receives a Rating Update from a Top Analyst
29
+ Detailed price information for Amazon.com Inc (AMZN-Q) from The Globe and Mail including charting and trades."
30
+ Amazon.com,2025-12-04,17:59,"Amazon Stock (NASDAQ: AMZN) Price Prediction and Forecast 2025-2030 for December 3
31
+ Shares of Amazon.com Inc. (NASDAQ: AMZN) gained 3.48% over the past five trading sessions after gaining 2.80% the five prior."
32
+ Amazon.com,2025-12-04,17:59,"Key facts: Amazon Q3 revenue rises 13.4% to $180.2B; new AI chip boosts AWS
33
+ Amazon's Q3 revenue hit $180.2 billion, up 13.4% year-on-year, beating forecasts. EPS also exceeded estimates, boosting stock by 5.1% to $234.50.1..."
34
+ Amazon.com,2025-12-04,17:59,"AWS (NASDAQ: AMZN) unveils Bedrock RFT, SageMaker serverless tools to streamline AI customization
35
+ At AWS re:Invent, AWS introduces Reinforcement Fine Tuning in Bedrock and serverless model customization in SageMaker AI, cutting advanced workflows from..."
36
+ Amazon.com,2025-12-04,17:59,"AWS Simplifies Model Customization to Help Customers Build Faster, More Efficient AI Agents
37
+ Amazon Bedrock and Amazon SageMaker AI put advanced model customization into the hands of any developer, while reducing costs and improving performance At..."
38
+ Amazon.com,2025-12-04,17:59,"Amazon (AMZN) Receives Reiteration of Market Outperform Rating b
39
+ Key Takeaways Citizens reiterates its Market Outperform rating for Amazon (AMZN) with a maintained price target of $300.00. No change in Amazon's price."
40
+ Amazon.com,2025-12-04,17:59,"Oppenheimer Boosts Amazon (AMZN) Price Target on Strong AWS Growth Outlook
41
+ Amazon.com, Inc. (NASDAQ:AMZN) is one of the AI Stocks in Focus This Week."
42
+ Amazon.com,2025-12-05,17:59,"아마존(AMZN.O), USPS와 수십억 달러 계약 중단 고려…자체 배송망 강화 영향
43
+ 아마존. (사진=연합뉴스)[알파경제=(시카고) 김지선 특파원] 아마존이 자사의 전국 배송망 ..."
44
+ Amazon.com,2025-12-05,17:59,"[美특징주]아마존, 2026년까지 USPS 의존 축소… 자체 배송망 확대 추진
45
+ 아마존(AMZN)이 2026년 말까지 미국 우정공사(USPS)와의 파트너십을 종료하고 자체 배송 네트워크로 전환할 계획이라고 4일(현지시간) 워싱턴포스트가 보도했다."
46
+ Amazon.com,2025-12-05,17:59,"AMZN - Amazon Com Latest Stock News & Market Updates
47
+ What is the current stock price of Amazon Com (AMZN)?. The current stock price of Amazon Com (AMZN) is $229.53 as of December 5, 2025."
48
+ Amazon.com,2025-12-05,17:59,"Is Amazon (AMZN) a Buy, Sell, or Hold in 2026?
49
+ Key PointsAmazon's stock underperformed the S&P 500 and Nasdaq 100 in 2025, gaining just 6.8% compared to their double-digit returns."
50
+ Amazon.com,2025-12-05,17:59,"Is Amazon (AMZN) a Buy, Sell, or Hold in 2026?
51
+ Amazon's stock lagged the market in 2025, but is that the whole story? Here's what massive AI investments mean for 2026 and beyond. Amazon (AMZN +0.18%)..."
52
+ Amazon.com,2025-12-05,17:59,"Amazon.com, Inc. (AMZN): A Bull Case Theory
53
+ We came across a bullish thesis on Amazon.com, Inc. on Capitalist Letter's Substack by Oguz Erkan. In this article, we will summarize the bulls' thesis on..."
54
+ Amazon.com,2025-12-05,17:59,"Assessing Amazon (AMZN) Valuation After a Recent Pullback in the Share Price
55
+ Amazon.com (AMZN) has been drifting lower over the past month even as its longer term returns remain solid, and that disconnect is exactly what has..."
56
+ Amazon.com,2025-12-05,17:59,"Amazon (AMZN) Maintains Buy Rating with $305 Price Target | AMZN Stock News
57
+ Key Takeaways Rosenblatt Maintains Buy Rating for Amazon (AMZN) with a $305 Price Target. No change in the price target or rating from Rosenblatt since."
58
+ Amazon.com,2025-12-05,17:59,"Amazon vs. Alphabet vs. Meta: This analyst's top AI pick
59
+ RBC Capital Markets Equity Analyst Brad Erickson comes on Market Catalysts to discuss whether Alphabet's Google (GOOG, GOOGL) may have an advantage in the..."
60
+ Amazon.com,2025-12-05,17:59,"Amazon reportedly weighs ending USPS partnership
61
+ Amazon.com Inc (NASDAQ:AMZN) is considering ending its decades-long contract with the United States Postal Service (USPS) and building out its own..."
62
+ Amazon.com,2025-12-06,17:59,"AMZN - Amazon.com Inc Stock Price and Quote
63
+ Upgrade your FINVIZ experience. Join thousands of traders who make more informed decisions with our premium features. Real-time quotes, advanced visualizations,..."
64
+ Amazon.com,2025-12-06,17:59,"Amazon had a very big week that could shape where its stagnant stock goes next
65
+ A flurry of headlines with the cloud giant at the center comes at the end of a challenging year."
66
+ Amazon.com,2025-12-06,17:59,"AMZN Stock: Amazon Stock Rated Outperform After AWS re:Invent AI Agents Push
67
+ New Delhi: BMO Capital Markets has maintained its Outperform rating on Amazon stock, with a $300 price target, following the AWS re:Invent 2025 conference."
68
+ Amazon.com,2025-12-06,17:59,"3 Reasons to Buy Amazon Stock Like There's No Tomorrow
69
+ For many years, Amazon (AMZN +0.18%) was a poster child for growth stocks and the returns they can deliver. However, over the past 12 months,..."
70
+ Amazon.com,2025-12-06,17:59,"Amazon (AMZN) Stock: Falls Despite Sansiri GenAI Launch on AWS
71
+ Amazon stock fell 1.41% despite Thai developer Sansiri deploying AWS-powered generative AI tools for real estate and automation."
72
+ Amazon.com,2025-12-06,17:59,"Marvell's Rally Extends: Data Centers and AMZN Chips Boost Shares
73
+ Marvell Technology is getting its groove back. See why shares popped 8% after earnings, and why MRVL's prospects still look solid after a 60% recovery."
74
+ Amazon.com,2025-12-06,17:59,"Amazon (NASDAQ: AMZN) Stock Price Prediction in 2030: Bull, Bear, & Baseline Forecasts (Dec 5)
75
+ Amazon.com Inc. (NASDAQ: AMZN) has been one of the stock market's biggest success stories ever. The company had its initial public offering in May 1997 and..."
76
+ Amazon.com,2025-12-06,17:59,"Amazon Stock (AMZN) Slowdown Serves Up Breakout Opportunity
77
+ Amazon ($AMZN) has posted only modest gains this year—rising about 4.3% in 2025 versus more than 18% for the SP 500 ($SPX)."
78
+ Amazon.com,2025-12-06,17:59,"WBD, NFLX and AMZN Forecast – Media Acquisition in Focus
79
+ Several major stocks were active in pre-market trading on Friday, with Warner Bros. Discovery jumping on talks to sell studio assets to Netflix,..."
80
+ Amazon.com,2025-12-06,17:59,"Amazon: Resilient Consumers, Reasonable Capex Outlook & Flat Valuation Justify Buy (AMZN)
81
+ Amazon.com, Inc. is rated a Buy due to resilient consumers, reasonable capex outlook and flat valuation. Learn more about AMZN stock here."
82
+ Amazon.com,2025-12-07,17:59,"Piper Sandler Keeps Overweight on Amazon (AMZN), Sets $233 Target Ahead of Holiday Season and AWS Momentum
83
+ Amazon.com, Inc. (NASDAQ:AMZN) is one of the AI Stocks Analysts are Tracking Closely. On December 3, Piper Sandler analyst Tom Champion reiterated an..."
84
+ Amazon.com,2025-12-07,17:59,"Key facts: Amazon enters AI chip market; layoffs raise worker concerns
85
+ Amazon is competing in the artificial intelligence sector by selling its own AI chips, positioning itself as a significant player in the cloud AI market..."
86
+ Amazon.com,2025-12-07,17:59,"Is Amazon (AMZN) a Buy, Sell, or Hold in 2026?
87
+ Amazon's stock lagged the market in 2025, but is that the whole story? Here's what massive AI investments mean for 2026 and beyond."
88
+ Amazon.com,2025-12-07,17:59,"Analysts Reaffirm Buy Rating on Amazon Stock (AMZN), Citing AWS Growth Potential
89
+ Following Amazon's ($AMZN) annual AWS (Amazon Web Services) re:Invent conference held from December 1 to 5, several analysts reiterated their bullish stance..."
90
+ Amazon.com,2025-12-07,17:59,"Should You Buy Amazon Stock Instead of Alphabet Stock for 2026?
91
+ Amazon (NASDAQ: AMZN) and Alphabet (NASDAQ: GOOG) (NASDAQ: GOOGL) are two of the largest companies when measured by market capitalization."
92
+ Amazon.com,2025-12-07,17:59,"Trading Systems Reacting to (AMZN) Volatility
93
+ Key findings for Amazon.com Inc. (NASDAQ: AMZN). Weak Near-Term Sentiment Could Catalyze Bearish Positioning; A mid-channel oscillation pattern is in play."
94
+ Amazon.com,2025-12-07,17:59,"A Once-in-a-Decade Investment Opportunity: 2 Brilliant AI Stocks to Buy Now (Hint: Not Nvidia or Palantir)
95
+ Detailed price information for Amazon.com Inc (AMZN-Q) from The Globe and Mail including charting and trades."
96
+ Amazon.com,2025-12-07,17:59,"The Trade Desk: Potential Value Trap - Recovery Likely Lumpy And Prolonged (Rating Downgrade)
97
+ I am admitting defeat after three failed Buy ratings with TTD downgraded to a Hold here, attributed to the intensifying competition from AMZN/GOOG and the..."
98
+ Amazon.com,2025-12-06,17:59,"3 Reasons to Buy Amazon Stock Like There's No Tomorrow
99
+ For many years, Amazon (NASDAQ: AMZN) was a poster child for growth stocks and the returns they can deliver. However, over the past 12 months,..."
100
+ Amazon.com,2025-12-07,17:59,"AMZN, ETSY, GOOGL, META, & RDDT: Truist Analyst Sees These Stocks Benefiting from Record Holiday E-Commerce Spending
101
+ Truist analyst Youssef Squali said 2025's U.S. holiday shopping season looks strong for online retailers and digital advertisers. In an investor note,..."
102
+ Amazon.com,2025-12-08,08:59,"아마존은 AI 확장과 최근 주가 하락 이후에도 여전히 매력적일까요?
103
+ 229.53달러의 Amazon.com이 여전히 현명한 구매인지 또는 상승 여력의 대부분이 이미 가격에 반영되어 있는지 궁금한 적이 있다면, 이 분석이 바로 여러분을 위한 것..."
104
+ Amazon.com,2025-12-08,14:59,"Jim Cramer Calls the Market Reaction to Amazon's re:Invent Conference ""Ridiculous""
105
+ Amazon.com, Inc. (NASDAQ:AMZN) is one of the stocks Jim Cramer discussed, along with the tech battleground. Cramer highlighted the company's re:Invent 2025..."
106
+ Amazon.com,2025-12-08,14:59,"Jeff Bezos-Backed Perplexity Hit With New York Times Lawsuit Alleging Massive Unauthorized Copying, Hallucinated Content
107
+ Last week, the New York Times filed a lawsuit accusing Perplexity AI, backed by Amazon.com, Inc. (NASDAQ:AMZN) founder Jeff Bezos, of illegally harvesting..."
108
+ Amazon.com,2025-12-08,12:59,"Should You Buy Amazon Stock Before 2025 Is Over?
109
+ Amazon (AMZN +0.16%) hasn't been nearly the winner that many hoped it would be in 2025. The S&P 500 is up around 16% for 2025 so far, while Amazon has..."
110
+ Amazon.com,2025-12-08,08:59,"Is Amazon Still Attractive After AI Expansion and Recent Share Price Pullback?
111
+ If you have ever wondered whether Amazon.com at $229.53 is still a smart buy or if most of the upside is already priced in, you are exactly who this..."
112
+ Amazon.com,2025-12-07,22:59,"(AMZN) Equity Market Report (AMZN:CA)
113
+ Equity Market Report for Amazon.com CDR (CAD Hedged) (AMZN) with Buy and Sell Signals."
114
+ Amazon.com,2025-12-08,10:59,"Generative AI Upside: 2 Software Stocks Could Triple Revenue in 5 Years
115
+ Detailed price information for Amazon.com Inc (AMZN-Q) from The Globe and Mail including charting and trades."
116
+ Amazon.com,2025-12-08,01:59,"Butterfly populations are declining - here's how to help - grow native plants for pollinators
117
+ Populations of many native pollinators are on the decline across North America. Over the last twenty years, butterflies have declines by over 20%!"
118
+ Amazon.com,2025-12-08,01:59,"Jeff Bezos Once Said The Universe Wants You To Be 'Typical,' But There Is A Price To Pay For Being Yourself As Well: 'Not Easy Or Free' - Amazon.com (NASDAQ:AMZN)
119
+ Amazon.com Inc. (NASDAQ:AMZN) founder Jeff Bezos used his final letter to shareholders as chief executive to deliver an unusually personal warning that..."
120
+ Amazon.com,2025-12-08,07:59,"Prediction: Amazon Will Soar in 2026. Here's 1 Reason Why.
121
+ When it comes to e-commerce, Amazon (AMZN +0.18%) is without equal. The company is the undisputed heavyweight champion of digital retail, with gross..."
122
+ Amazon.com,2025-12-08,08:59,"아마존은 AI 확장과 최근 주가 하락 이후에도 여전히 매력적일까요?
123
+ 229.53달러의 Amazon.com이 여전히 현명한 구매인지 또는 상승 여력의 대부분이 이미 가격에 반영되어 있는지 궁금한 적이 있다면, 이 분석이 바로 여러분을 위한 것..."
124
+ Amazon.com,2025-12-08,14:59,"Jim Cramer Calls the Market Reaction to Amazon's re:Invent Conference ""Ridiculous""
125
+ Amazon.com, Inc. (NASDAQ:AMZN) is one of the stocks Jim Cramer discussed, along with the tech battleground. Cramer highlighted the company's re:Invent 2025..."
126
+ Amazon.com,2025-12-08,14:59,"Jeff Bezos-Backed Perplexity Hit With New York Times Lawsuit Alleging Massive Unauthorized Copying, Hallucinated Content
127
+ Last week, the New York Times filed a lawsuit accusing Perplexity AI, backed by Amazon.com, Inc. (NASDAQ:AMZN) founder Jeff Bezos, of illegally harvesting..."
128
+ Amazon.com,2025-12-08,12:59,"Should You Buy Amazon Stock Before 2025 Is Over?
129
+ Amazon (AMZN +0.16%) hasn't been nearly the winner that many hoped it would be in 2025. The S&P 500 is up around 16% for 2025 so far, while Amazon has..."
130
+ Amazon.com,2025-12-08,08:59,"Is Amazon Still Attractive After AI Expansion and Recent Share Price Pullback?
131
+ If you have ever wondered whether Amazon.com at $229.53 is still a smart buy or if most of the upside is already priced in, you are exactly who this..."
132
+ Amazon.com,2025-12-08,17:56,"Could This Be the Best AI Stock to Buy for the Next Decade?
133
+ Detailed price information for Amazon.com Inc (AMZN-Q) from The Globe and Mail including charting and trades."
134
+ Amazon.com,2025-12-07,22:59,"(AMZN) Equity Market Report (AMZN:CA)
135
+ Equity Market Report for Amazon.com CDR (CAD Hedged) (AMZN) with Buy and Sell Signals."
136
+ Amazon.com,2025-12-08,01:59,"Butterfly populations are declining - here's how to help - grow native plants for pollinators
137
+ Populations of many native pollinators are on the decline across North America. Over the last twenty years, butterflies have declines by over 20%!"
138
+ Amazon.com,2025-12-08,01:59,"Jeff Bezos Once Said The Universe Wants You To Be 'Typical,' But There Is A Price To Pay For Being Yourself As Well: 'Not Easy Or Free' - Amazon.com (NASDAQ:AMZN)
139
+ Amazon.com Inc. (NASDAQ:AMZN) founder Jeff Bezos used his final letter to shareholders as chief executive to deliver an unusually personal warning that..."
140
+ Amazon.com,2025-12-08,07:59,"Prediction: Amazon Will Soar in 2026. Here's 1 Reason Why.
141
+ When it comes to e-commerce, Amazon (AMZN +0.18%) is without equal. The company is the undisputed heavyweight champion of digital retail, with gross..."
data_stock_news/AVGO.csv ADDED
@@ -0,0 +1,121 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ Name,date,time,news
2
+ Broadcom,2025-12-03,16:28,"Broadcom Returns For An Encore In Buy Zone After Stock Scores All-Time High; Earnings Loom
3
+ Broadcom (AVGO) stock is back in a buy zone in a cup base on Tuesday, following a rally to new highs as investors continue to grab exposure to the..."
4
+ Broadcom,2025-12-03,16:28,"Broadcom (AVGO) Stock Rises on AI Chip Frenzy as Analysts Hike Price Targets
5
+ Wall Street Bullish on AVGO: AI Revenue Set to Outpace Rivals."
6
+ Broadcom,2025-12-03,16:28,"Broadcom (NASDAQ: AVGO) extends ING VMware Cloud Foundation 9.0 deal for private cloud push
7
+ Broadcom (NASDAQ: AVGO) and ING announced an extension of their strategic collaboration for ING to adopt VMware Cloud Foundation 9.0 (VCF 9) as its private..."
8
+ Broadcom,2025-12-03,16:28,"A Look at Broadcom (AVGO) Valuation as Wall Street Optimism Grows on AI Partnerships and Cloud Deals
9
+ Broadcom (AVGO) caught Wall Street's attention this week as several analysts pointed to its deepening partnerships in AI hardware."
10
+ Broadcom,2025-12-03,16:28,"New Buy Rating for Broadcom (AVGO), the Technology Giant
11
+ In a report released yesterday, Joseph Moore from Morgan Stanley maintained a Buy rating on Broadcom, with a price target of $443.00."
12
+ Broadcom,2025-12-03,16:28,"Broadcom (AVGO) Stock: Shares Slide as Company Expands VMware Cloud Partnership
13
+ Broadcom shares fell over 4% as it expanded a private cloud deal with ING, advancing VMware Cloud Foundation to drive enterprise modernization."
14
+ Broadcom,2025-12-03,16:28,"Top Analysts Boost Broadcom (AVGO) Stock Price Target on Strong AI Demand
15
+ Top analysts at Morgan Stanley, UBS, and Bank of America raised their price targets for Broadcom ($AVGO) stock, citing higher demand for the company's..."
16
+ Broadcom,2025-12-03,16:28,"Key facts: Broadcom's Strong AI Performance Boosts Cash Flow; Analysts Caution on Competition
17
+ Broadcom is seen as a strong performer, generating significant cash flow amid the tech sector's shift towards artificial intelligence.1; Analysts see rising..."
18
+ Broadcom,2025-12-03,16:28,"Marvell Chases AMD-Backed Celestial AI In Multi-Billion Dollar Deal
19
+ Marvell Technology, Inc (NASDAQ: MRVL) is in talks to acquire photonics startup Celestial AI in a potential $5 billion deal."
20
+ Broadcom,2025-12-03,16:28,"Noteworthy Tuesday Option Activity: RICK, GTLB, AVGO
21
+ Looking at options trading activity among components of the Russell 3000 index, there is noteworthy activity today in RCI Hospitality Holdings Inc (Symbol:..."
22
+ Broadcom,2025-12-04,16:29,"Morgan Stanley Expects Broadcom (AVGO) to Outpace Nvidia in 2026 AI Processor Growth
23
+ Broadcom Inc. (NASDAQ:AVGO) is included among the 15 Dividend Stocks that Outperform the S&P 500. On December 1, Morgan​ St‍a⁠nley r⁠aised Broadcom Inc."
24
+ Broadcom,2025-12-04,16:29,"Broadcom Weakens Ahead of Earnings, but AI Prospects Support Bullish Sentiment
25
+ Broadcom (AVGO) shares are down 5% this month, trimming last month's double-digit rally. The semiconductor and infrastructure software company's stock fell..."
26
+ Broadcom,2025-12-04,16:29,"Dear AVGO Stock Fans, Mark Your Calendars for December 11
27
+ AVGO remains well-positioned for sustained growth in 2026 and beyond."
28
+ Broadcom,2025-12-04,16:29,"Is Broadcom Stock (AVGO) a Buy Now?
29
+ Broadcom ($AVGO) has surged 65.3% so far in 2025 on strong AI demand and optimism over its VMware acquisition. Given the stock's rally, investors are..."
30
+ Broadcom,2025-12-04,16:29,"Beyond NVIDIA: 5 Semiconductor Stocks Set to Dominate 2026
31
+ Semiconductor stocks are on track to advance in 2026 as a global supercycle gains momentum. NVIDIA is still the leader but others are also well-positioned."
32
+ Broadcom,2025-12-04,16:29,"Bernstein Maintains Broadcom(AVGO.US) With Buy Rating, Maintains Target Price $400
33
+ Bernsteinanalyst Stacy Rasgon maintains $Broadcom(AVGO.US)$ with a buy rating, and maintains the target price at $400.According to TipRanks data,..."
34
+ Broadcom,2025-12-04,16:29,"See How Institutional Inflows Lift Broadcom
35
+ AVGO designs, develops, and supplies semiconductors and infrastructure software solutions, proving to be a key driver of AI growth worldwide."
36
+ Broadcom,2025-12-04,16:29,"How Broadcom Stock Gained 130%
37
+ The 127.7% change in Broadcom (AVGO) stock from 12/3/2024 to 12/3/2025 was primarily driven by a 190.3% change in the company's Net Income Margin (%)."
38
+ Broadcom,2025-12-04,16:29,"Why Broadcom Stock Slipped Today
39
+ Wednesday wasn't an ideal day to plow money into artificial intelligence (AI)-linked stocks. A media report stated that a major AI adopter was easing off on..."
40
+ Broadcom,2025-12-04,16:29,"Broadcom (NASDAQ:AVGO) Nasdaq Index Network-Technology Anchor
41
+ Broadcom (NASDAQ:AVGO) drives semiconductor and software advancement as nasdaq index discussions expand."
42
+ Broadcom,2025-12-05,16:29,"Broadcom Inc. (AVGO): A Bull Case Theory
43
+ We came across a bullish thesis on Broadcom Inc. on Nikhs's Substack. In this article, we will summarize the bulls' thesis on AVGO. Broadcom Inc.'s share..."
44
+ Broadcom,2025-12-05,16:29,"Broadcom Inc. (AVGO) Reports Next Week: Wall Street Expects Earnings Growth
45
+ Wall Street expects a year-over-year increase in earnings on higher revenues when Broadcom Inc. (AVGO) reports results for the quarter ended October 2025."
46
+ Broadcom,2025-12-05,16:29,"Broadcom: Entering A New Stage Of Growth (Earnings Preview) (NASDAQ:AVGO)
47
+ Broadcom is positioned for significant revenue uplift, driven by robust CSP capital spending and major AI developer partnerships. AVGO has secured a..."
48
+ Broadcom,2025-12-05,16:29,"Oppenheimer Maintains Broadcom(AVGO.US) With Buy Rating, Raises Target Price to $435
49
+ Oppenheimeranalyst Rick Schafer maintains $Broadcom(AVGO.US)$ with a buy rating, and adjusts the target price from $360 to $435.According to TipRanks data,..."
50
+ Broadcom,2025-12-05,16:29,"Broadcom (AVGO) Price Target Raised as Google TPU Demand Surges
51
+ Broadcom Inc. (NASDAQ:AVGO) is one of the AI Stocks in Focus This Week."
52
+ Broadcom,2025-12-05,16:29,"Broadcom (AVGO) Boosted by AI Demand and Strategic Partnerships
53
+ Key Takeaways: Broadcom (AVGO) is experiencing robust demand in AI networking, bolstered by Google's Ironwood chip rollout. Susquehanna has increased its."
54
+ Broadcom,2025-12-05,16:29,"Broadcom Stock Shares $51 Bil Success With Investors
55
+ AVGO Has Returned $51 Bil In The Past Decade. Top 10 Companies By Total Shareholder Return. AVGO Fundamentals. AVGO Historical Risk. More From Trefis."
56
+ Broadcom,2025-12-05,16:29,"Broadcom Emerges as AI Power Play
57
+ Broadcom NASDAQ:AVGO is looking more and more like one of the quieter winners of the AI boom, as demand builds around networking gear and custom chips tied..."
58
+ Broadcom,2025-12-05,16:29,"Prediction: This Will Be the Top-Performing Chip Stock in 2026
59
+ Broadcom's networking and virtualization businesses are growing nicely. However, the company has a huge opportunity with its ASICs business."
60
+ Broadcom,2025-12-05,16:29,"Prediction: This Will Be the Top-Performing Chip Stock in 2026
61
+ Chip stocks have been a driving force in the market over the past few years, largely due to the artificial intelligence (AI) infrastructure buildout."
62
+ Broadcom,2025-12-06,16:29,"AVGO Stock: Broadcom Poised for Record Quarter on AI Boom
63
+ Broadcom is set to report fourth-quarter earnings on December 11, with Wall Street forecasting record revenue and profits. Analysts expect Broadcom to post."
64
+ Broadcom,2025-12-06,16:29,"ING의 확장된 VMware 클라우드 파운데이션 계약으로 브로드컴 투자 사례가 바뀔 수 있습니다.
65
+ 2025년 12월 초, ING는 엄격한 보안, 규정 준수 및 데이터 주권 요건을 충족하기 위해 여러 지역에 걸쳐 VMware Cloud Foundation 9.0을 사용하여 프라이빗 클라우드를..."
66
+ Broadcom,2025-12-06,16:29,"Broadcom (AVGO) Forecast: AI Revenue Beyond This Year’s 50–60% Surge
67
+ Harding Loevner, an asset management company, released its “Global Equity Strategy” third-quarter 2025 investor letter. A copy of the letter can be..."
68
+ Broadcom,2025-12-06,16:29,"Ahead of Earnings, Is Broadcom Stock a Buy, a Sell, or Fairly Valued?
69
+ With shares increasingly trading based on the AI chip business, here's what we think of Broadcom stock."
70
+ Broadcom,2025-12-06,16:29,"Final Trade: AVGO, ORCL, BA, FCX
71
+ The final trades of the day with CNBC's Melissa Lee and the 'Fast Money' traders."
72
+ Broadcom,2025-12-06,16:29,"Broadcom: Brace For Another Strong Quarter (NASDAQ:AVGO)
73
+ Broadcom Inc. is rated a Strong Buy with AI infrastructure demand, software revenue mix and strong operating leverage. Read more on AVGO stock here."
74
+ Broadcom,2025-12-06,16:29,"What's Going On With Broadcom Stock Friday? - Broadcom (NASDAQ:AVGO)
75
+ Broadcom Inc (NASDAQ:AVGO) stock has gained over 64% year-to-date as its application-specific integrated circuits (ASICs), custom chips designed for..."
76
+ Broadcom,2025-12-06,16:29,"Broadcom Stock, With Google's Gemini Premium, Holds Near Highs Ahead Of Q4 Results
77
+ Two more artificial intelligence giants headline the latest earnings calendar, including Broadcom (AVGO), which is set to report fiscal fourth-quarter..."
78
+ Broadcom,2025-12-06,16:29,"Broadcom (AVGO) Stock: Why This Analyst Calls It a ""Top Pick for 2026""
79
+ Broadcom stock earnings December 11 with analysts expecting record revenue driven by 66% surge in AI chip sales and $110B backlog from hyperscalers."
80
+ Broadcom,2025-12-06,16:29,"Broadcom Stock Is Rising -- Mizuho Bets Big on AI Boom Ahead of Earnings
81
+ Broadcom NASDAQ:AVGO shares climbed about 2% on Thursday morning trade as Mizuho highlighted the chipmaker's growing AI opportunities ahead of next week's..."
82
+ Broadcom,2025-12-08,09:29,"AI가 1년 동안 119.5% 급등한 Broadcom을 고려하기에는 너무 늦었을까요?
83
+ 이렇게 큰 폭으로 상승한 후에도 브로드컴이 여전히 매력적인지 궁금하거나 파티에 늦게 합류한 경우, 이 기사에서는 현재 주가가 실제로 그 가치에 대해 무엇을 의미..."
84
+ Broadcom,2025-12-08,14:29,"UBS Lifts Broadcom (AVGO) PT to $472, Keeps Buy Rating on Profitable Tech Stock
85
+ Broadcom Inc. (NASDAQ:AVGO) is one of the most profitable tech stocks to buy. On December 1, UBS raised the firm's price target on Broadcom to $472 from..."
86
+ Broadcom,2025-12-07,21:29,"Broadcom Inc. (NASDAQ:AVGO) Shares Could Be 28% Above Their Intrinsic Value Estimate
87
+ How far off is Broadcom Inc. (NASDAQ:AVGO) from its intrinsic value? Using the most recent financial data, we'll take a look at whether the stock is fairly..."
88
+ Broadcom,2025-12-08,02:29,"Broadcom Stock Price Forecast - AVGO Eyes 35% Upside to $528 as ASIC Breakthrough
89
+ Trading News Broadcom (AVGO) trades near $390.24, approaching its $403.00 high, with analysts forecasting a 35% upside to $528 | That's TradingNEWS."
90
+ Broadcom,2025-12-08,15:51,"Is Microsoft Shifting Custom Chips to Broadcom? Why AVGO Stock Could Soar
91
+ Microsoft ($MSFT) is reportedly in talks to shift its custom chip business from Marvell ($MRVL) to Broadcom ($AVGO). According to The Information,..."
92
+ Broadcom,2025-12-07,23:29,"A Big Week Ahead: ADBE, GME, ORCL, AVGO, COST, and more Earnings Reports and Fed Meeting
93
+ This week is important for the stock market, as several well-known companies, including Adobe, Oracle, Broadcom, and GameStop, will report their financial."
94
+ Broadcom,2025-12-07,22:29,"Broadcom: Expecting Strong Earnings But Remain On Hold
95
+ Broadcom trades at 45x forward P/E, driven by AI gains, strong semiconductor growth, major customer wins, and high expectations. Find out why AVGO stock is..."
96
+ Broadcom,2025-12-08,13:29,"Is Broadcom (AVGO) a Buy Ahead of Q4 Earnings? Here’s Wall Street’s Take
97
+ Semiconductorcompany Broadcom ($AVGO) is set to report its fourth-quarter Fiscal 2025 results on December 11. The stock has climbed more than 68% this year,..."
98
+ Broadcom,2025-12-08,15:35,"Got $5,000? 5 Top Growth Stocks to Buy That Could Double Your Money.
99
+ Detailed price information for Broadcom Ltd (AVGO-Q) from The Globe and Mail including charting and trades."
100
+ Broadcom,2025-12-08,00:29,"(AVGO) Price Dynamics and Execution-Aware Positioning
101
+ Key findings for Broadcom Inc. (NASDAQ: AVGO). Weak Near-Term Sentiment Could Precede Shifts in Mid and Long-Term Outlook; A mid-channel oscillation pattern..."
102
+ Broadcom,2025-12-08,09:29,"AI가 1년 동안 119.5% 급등한 Broadcom을 고려하기에는 너무 늦었을까요?
103
+ 이렇게 큰 폭으로 상승한 후에도 브로드컴이 여전히 매력적인지 궁금하거나 파티에 늦게 합류한 경우, 이 기사에서는 현재 주가가 실제로 그 가치에 대해 무엇을 의미..."
104
+ Broadcom,2025-12-08,14:29,"UBS Lifts Broadcom (AVGO) PT to $472, Keeps Buy Rating on Profitable Tech Stock
105
+ Broadcom Inc. (NASDAQ:AVGO) is one of the most profitable tech stocks to buy. On December 1, UBS raised the firm's price target on Broadcom to $472 from..."
106
+ Broadcom,2025-12-07,21:29,"Broadcom Inc. (NASDAQ:AVGO) Shares Could Be 28% Above Their Intrinsic Value Estimate
107
+ How far off is Broadcom Inc. (NASDAQ:AVGO) from its intrinsic value? Using the most recent financial data, we'll take a look at whether the stock is fairly..."
108
+ Broadcom,2025-12-08,02:29,"Broadcom Stock Price Forecast - AVGO Eyes 35% Upside to $528 as ASIC Breakthrough
109
+ Trading News Broadcom (AVGO) trades near $390.24, approaching its $403.00 high, with analysts forecasting a 35% upside to $528 | That's TradingNEWS."
110
+ Broadcom,2025-12-08,15:50,"Is Microsoft Shifting Custom Chips to Broadcom? Why AVGO Stock Could Soar
111
+ Microsoft ($MSFT) is reportedly in talks to shift its custom chip business from Marvell ($MRVL) to Broadcom ($AVGO). According to The Information,..."
112
+ Broadcom,2025-12-07,23:29,"A Big Week Ahead: ADBE, GME, ORCL, AVGO, COST, and more Earnings Reports and Fed Meeting
113
+ This week is important for the stock market, as several well-known companies, including Adobe, Oracle, Broadcom, and GameStop, will report their financial."
114
+ Broadcom,2025-12-07,22:29,"Broadcom: Expecting Strong Earnings But Remain On Hold
115
+ Broadcom trades at 45x forward P/E, driven by AI gains, strong semiconductor growth, major customer wins, and high expectations. Find out why AVGO stock is..."
116
+ Broadcom,2025-12-08,13:29,"Is Broadcom (AVGO) a Buy Ahead of Q4 Earnings? Here’s Wall Street’s Take
117
+ Semiconductorcompany Broadcom ($AVGO) is set to report its fourth-quarter Fiscal 2025 results on December 11. The stock has climbed more than 68% this year,..."
118
+ Broadcom,2025-12-08,15:35,"Got $5,000? 5 Top Growth Stocks to Buy That Could Double Your Money.
119
+ Detailed price information for Broadcom Ltd (AVGO-Q) from The Globe and Mail including charting and trades."
120
+ Broadcom,2025-12-08,00:29,"(AVGO) Price Dynamics and Execution-Aware Positioning
121
+ Key findings for Broadcom Inc. (NASDAQ: AVGO). Weak Near-Term Sentiment Could Precede Shifts in Mid and Long-Term Outlook; A mid-channel oscillation pattern..."
data_stock_news/CRM.csv ADDED
@@ -0,0 +1,71 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ Name,date,time,news
2
+ Salesforce,2025-12-03,16:28,"[CRM마케팅 웨비나] ROAS 10,000% 커머스 CRM 자동화 메시지 실전 전략 - 세미나·컨퍼런스 - 커뮤니티
3
+ 마케터가 잠시 쉬고 있어도 잘 구축해둔 자동화 메시지는 항상 깨어있습니다.아래 고민을 한 번이라도 해보셨다면, 이번 웨비나에서 해답을 얻어가실 수 있습니다!"
4
+ Salesforce,2025-12-03,16:28,"ASGN의 에이전트포스 AI 통합이 세일즈포스(CRM) 투자 사례를 형성하고 있나요?
5
+ 2025년 11월, ASGN은 혁신을 가속화하고 기업 및 정부 고객을 위한 자동화 솔루션을 배포하기 위해 Salesforce와 다년간의 파트너십을 체결하여 에이전트포스 AI..."
6
+ Salesforce,2025-12-03,16:28,"ECS텔레콤·나이스 ""CX 재편 가속…AI 기반 CCaaS·CEP가 새 표준 될 것""
7
+ 3일 서울 용산드래곤시티서 'AI가 주도하는 고객 경험 혁신' 주제로 기자간담회 개최 컨택센터, AI가 지원하는 CX에서 'AI가 주도하는 CX' 시대로 전환"
8
+ Salesforce,2025-12-04,16:28,"세일즈포스(CRM.N), 2026년 매출 전망 상향…′에이전트포스′ 성장세 견인
9
+ 세일즈포스 로고. (사진=세일즈포스) [알파경제=(시카고) 폴 리 특파원] 미국 비즈니스 ..."
10
+ Salesforce,2025-12-04,16:28,"Salesforce(CRM US) - 견고한 3QFY26 실적, 강력한 Agentforce 및 Data 360 모멘텀
11
+ Salesforce는 3QFY26 실적을 발표했습니다. 총 매출은 전년 동기 대비 9% 증가한 103억 달러를 기록했으며, 이는 Bloomberg 합의 추정치와 일치합니다."
12
+ Salesforce,2025-12-04,16:28,"Salesforce Stock Rises 2% On Earnings Beat and Strong Revenue Forecast
13
+ Salesforce 주식의시판 전 가격 변동: 2%; 12월 3일 기준 $CRM 주가 $239; 52주 최고가: 367달러; 목표 $CRM 주가: $328. 지금 라이브: TIKR의 새로운 가치 평가 모델..."
14
+ Salesforce,2025-12-04,16:28,"세일즈포스닷컴, 호실적에 연간 추정치도 상향…시간외서 4% ↑
15
+ [이데일리 이주영 기자] 세일즈포스닷컴(CRM)이 AI 제품에 대한 강력한 수요에 힘입어 3분기 실적이 시장 예상치를 웃돌고 연간 전망치도 상향 조정했다."
16
+ Salesforce,2025-12-04,16:28,"마티니, 글로벌 고객참여 플랫폼 ‘브레이즈’ 공식 리셀러로 선정
17
+ 마티니, 브레이즈와 도입–운영–성과' 완성형 CRM 체계 구축."
18
+ Salesforce,2025-12-04,16:28,"세일즈포스, ‘에이전트포스 인더스트리 서밋’ 개최
19
+ 글로벌 AI CRM 기업 세일즈포스가 4일 서울 몬드리안 이태원 서울에서 '에이전트포스 인더스트리 서밋(Agentforce Industry Summit)'을 개최했다."
20
+ Salesforce,2025-12-04,16:28,"세일즈포스, '에이전트포스 인더스트리 서밋' 개최
21
+ 한눈에 보는 오늘 : IT/과학 - 뉴스 : 세일즈포스 '에이전트포스 인더스트리 서밋' 현장./세일즈포스 제공세일즈포스는 자동차·제조 산업을 대상으로 한 '에이전트포스..."
22
+ Salesforce,2025-12-04,16:28,"세일즈포스 3분기 실적 프리뷰: 사상 최대 매출 예상, 올해 주가 30% 하락 후 회복 가능할까?
23
+ 고객 관계 관리(CRM) 업계의 거대 기업 세일즈포스(NYSE:CRM)가 수요일(3일) 장 마감 후 3분기 실적 보고서를 발표할 예정이다. 이때 인공지능(AI) 관련 도구의 발전..."
24
+ Salesforce,2025-12-04,16:28,"산업별 AI 에이전트 적용 모델로 운영 복잡성 해소...자동화·데이터 기반 실행 체계 강화
25
+ 제조·유통·소비재 산업에서는 실시간 데이터를 기반으로 한 의사결정과 운영 자동화 필요성이 커지고 있다. 고객 수요 변화 속도가 빨라지면서 생산·품질·서비스 전..."
26
+ Salesforce,2025-12-04,16:28,"[美특징주]세일즈포스, 실적 발표 앞두고 '부담'…보합권 등락
27
+ 고객관계관리(CRM) 소프트웨어 제조업체인 세일즈포스(CRM)가 실적 발표를 앞두고 보합권에 머물고 있다. 실적 발표를 보고 가려는 관망세가 형성된 것으로 보인다."
28
+ Salesforce,2025-12-05,16:28,"세일즈포스(CRM.N) 3분기 실적 예상치 상회..AI 경쟁 구도 변화 추가 확인 필요
29
+ (사진=연합뉴스)[알파경제=김민영 기자] 세일즈포스(CRM.N)의 3분기 실적이 시장 예상 ..."
30
+ Salesforce,2025-12-05,16:28,"CRM 주가 급등: 오늘 1.71% 상승의 원인은 무엇일까?
31
+ CRM 주가는 오늘 1.71% 상승하여 238.72달러로 마감했습니다. 개장 전 거래에서는 1.96% 상승하며 강력한 모멘텀을 보였습니다. 지금이 투자 적기일까요?"
32
+ Salesforce,2025-12-05,16:28,"美증시 다우지수 '약보합'..CRM·엔비디아 '활짝', 애플·제약주 '뚝'
33
+ [초이스경제 김영미 기자] 4일(미국시간) 뉴욕증권거래소에 따르면 이날 뉴욕증시에서 우량주 중심의 다우존스 지수는 4만7850.94로 31.96포인트(0.07%) 하락했다."
34
+ Salesforce,2025-12-05,16:28,"프랑스 CRM ‘브레보’, 5억8300만 달러 투자 유치로 유니콘 등극
35
+ 프랑스 파리에 본사를 둔 고객관계관리(CRM) 업체 브레보(Brevo)가 5억 유로(약 5억8300만 달러) 규모의 투자를 유치하며 기업가치 10억 달러를 넘어 유니콘 기업에..."
36
+ Salesforce,2025-12-05,16:28,"세일즈포스(CRM), 자산 감소에도 불구하고 순이익 20% 증가! 투자자들 주목!
37
+ 세일즈포스(CRM, Salesforce, Inc. )는 2025년 10월 31일 기준으로 재무제표를 공개했다.4일 미국 증권거래위원회에 따르면 세일즈포스는 2025년 10월 31일 기준으로..."
38
+ Salesforce,2025-12-05,16:28,"세일즈포스, 3분기 실적 발표에 애널리스트들 호평···AI 성장세 가속화
39
+ 세일즈포스(NYSE:CRM) 주가는 수요일(3일) 긍정적인 3분기 실적을 발표한 후 목요일(4일) 3.66% 상승했다. 주요 애널리스트 의견 요약은 다음과 같다."
40
+ Salesforce,2025-12-05,16:28,"세일즈포스의 ‘에이전트포스’, 연간반복매출 330% 급증 및 거래 건수 50% 증가
41
+ 세일즈포스(NYSE:CRM)는 3분기 실적 발표 후 월가를 뜨겁게 달궜지만 진정한 헤드라인은 실적 상회와 전망 상향 조정이 아닌 에이전트포스(Agentforce)의 도입 속도..."
42
+ Salesforce,2025-12-06,16:28,"CRM 최신 뉴스: MA-20을 넘어선 가격 급등 - AI 성장으로 인한 구매자 압력 증가
43
+ Salesforce는 오늘 3.74% 급등한 $247.64로 저항에도 불구하고 강세 모멘텀을 보이고 있습니다. 최신 CRM 거래 전망을 확인하세요."
44
+ Salesforce,2025-12-06,16:28,"브레보, 5억8300만달러 투자 유치…세일즈포스·허브스팟에 도전
45
+ [디지털투데이 황치규 기자]CRM 스타트업 브레보가 5억8300만달러 규모 투자를 유치했다고 테크크런치가 4일(현지시간) 보도했다.2012년 센딘블루로 시작해 이메일..."
46
+ Salesforce,2025-12-06,16:28,"[美특징주]세일즈포스, 사명 자체를 '에이전트포스'로 변경 고려 중…개장전 '강보합&ap...
47
+ 세일즈포스(CRM)가 클라우드 컴퓨팅에서 인공지능(AI)으로 초점을 지속적으로 전환하면서 회사명 자체를 에이전트포스(Agentforce)로 변경할 가능성도 고려 중이라고..."
48
+ Salesforce,2025-12-08,11:28,"[생존트렌드 04] 초개인화 CRM 시대, 고객을 기억하는 브랜드가 다시 선택받는다
49
+ 04. 초개인화·데이터 CRM (First-Party Shift) ― 데이터는 팔지 말고 스스로 읽어라부제 : 고객을 잊지 않는 기술, 관계를 되살리는 기억의 시스템키워드 : 데이터,..."
50
+ Salesforce,2025-12-08,14:28,"소프트자이온·강소기업협회, 中企 DX 가속화 '맞손'
51
+ 한눈에 보는 오늘 : 경제 - 뉴스 : 프라임경제 소프트자이온(대표 이준호)이 중소기업 경쟁력 강화에 나선다.소프트자이온은 (사)한국강소기업협회(회장 김영식)와..."
52
+ Salesforce,2025-12-08,07:28,"""직원 머릿수 장사 붕괴할 것""…전통 B2B SW 수익모델 경고등
53
+ ""이제 인공지능(AI)이 없는 클라우드는 존재하지 않습니다. AI 네이티브 도구들은 기존 CRM을 대체하고 완전히 새로운 경험을 제공할 것입니다.""약 25년 간 …"
54
+ Salesforce,2025-12-07,18:28,"털보네 액상 CRM 오하나 팀장, 승리한 허재혁에게 트로피 시상[로드FC]
55
+ 털보네 액상 CRM 오하나 팀장이 7일 서울 장충체육관에서 열린 굽네 ROAD FC 075 무제한급 매치에서 승리한 허재혁에게 트로피를 시상한 뒤 기념촬영을 하고 있다."
56
+ Salesforce,2025-12-08,11:28,"소프트자이온-한국강소기업협회, 中企 디지털 혁신에 맞손
57
+ 【투데이신문 소미연 기자】 “중소기업들이 보다 효과적으로 CRM 시스템을 도입하고 활용할 수 있도록 적극 지원하겠다.” 소프트자이온 이준호 대표가 중소기업의..."
58
+ Salesforce,2025-12-08,00:28,"Salesforce, Inc. 는 35%의 주당 순이익 상향을 기록했습니다: 애널리스트들이 예측하는 다음 전망은 다음과 같습니다.
59
+ 의 주주들은 최근 분기 실적 발표 후 주가가 13% 상승한 261달러를 기록했다는 소식에 이번 주에 기뻐할 것입니다(NYSE:CRM). 전반적으로 신뢰할 수 있는 결과처럼..."
60
+ Salesforce,2025-12-08,11:28,"[생존트렌드 04] 초개인화 CRM 시대, 고객을 기억하는 브랜드가 다시 선택받는다
61
+ 04. 초개인화·데이터 CRM (First-Party Shift) ― 데이터는 팔지 말고 스스로 읽어라부제 : 고객을 잊지 않는 기술, 관계를 되살리는 기억의 시스템키워드 : 데이터,..."
62
+ Salesforce,2025-12-08,14:28,"소프트자이온·강소기업협회, 中企 DX 가속화 '맞손'
63
+ 한눈에 보는 오늘 : 경제 - 뉴스 : 프라임경제 소프트자이온(대표 이준호)이 중소기업 경쟁력 강화에 나선다.소프트자이온은 (사)한국강소기업협회(회장 김영식)와..."
64
+ Salesforce,2025-12-08,07:28,"""직원 머릿수 장사 붕괴할 것""…전통 B2B SW 수익모델 경고등
65
+ ""이제 인공지능(AI)이 없는 클라우드는 존재하�� 않습니다. AI 네이티브 도구들은 기존 CRM을 대체하고 완전히 새로운 경험을 제공할 것입니다.""약 25년 간 …"
66
+ Salesforce,2025-12-07,18:28,"털보네 액상 CRM 오하나 팀장, 승리한 허재혁에게 트로피 시상[로드FC]
67
+ 털보네 액상 CRM 오하나 팀장이 7일 서울 장충체육관에서 열린 굽네 ROAD FC 075 무제한급 매치에서 승리한 허재혁에게 트로피를 시상한 뒤 기념촬영을 하고 있다."
68
+ Salesforce,2025-12-08,11:28,"소프트자이온-한국강소기업협회, 中企 디지털 혁신에 맞손
69
+ 【투데이신문 소미연 기자】 “중소기업들이 보다 효과적으로 CRM 시스템을 도입하고 활용할 수 있도록 적극 지원하겠다.” 소프트자이온 이준호 대표가 중소기업의..."
70
+ Salesforce,2025-12-08,00:28,"Salesforce, Inc. 는 35%의 주당 순이익 상향을 기록했습니다: 애널리스트들이 예측하는 다음 전망은 다음과 같습니다.
71
+ 의 주주들은 최근 분기 실적 발표 후 주가가 13% 상승한 261달러를 기록했다는 소식에 이번 주에 기뻐할 것입니다(NYSE:CRM). 전반적으로 신뢰할 수 있는 결과처럼..."
data_stock_news/GOOGL.csv ADDED
@@ -0,0 +1,123 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ Name,date,time,news
2
+ Alphabet Inc.,2025-12-02,18:00,"'구글칩' '아마존칩' 극강의 가성비로 무장 … 엔비디아 왕좌 흔들
3
+ 글로벌 테크기업 자체 반도체 'ASIC' 급부상구글 TPU·아마존 트레이니엄고성능에 전력 효율까지 잡아GPU 탑재 오픈AI는 '초비상'엔비디아 최대고객 메타마저구글 TPU로..."
4
+ Alphabet Inc.,2025-12-03,18:00,"[비즈 나우] 구글이 깨어났다…오픈AI '코드레드' 발령
5
+ ... □ 모닝벨 '비즈 나우' - 진행 : 최주연 / 출연 : 임선우. [앵커]. 구글이 AI 시장의 조커 카드로 떠오르며 업계 비상이 걸렸습니다. 오픈AI가 '코드레드'까지 발령..."
6
+ Alphabet Inc.,2025-12-03,18:00,"[美특징주]구글 제미니 3 우위에 오픈AI ‘코드 레드’… 파트너 MS·오라클도 불확실성 직면
7
+ 알파벳의 구글(GOOGL)이 제미니 3 AI 모델을 공개하며 주요 벤치마크에서 오픈AI의 GPT-5.1을 앞지르자, AI 경쟁 구도가 급격히 흔들리고 있다고 2일(현지시간) 야후..."
8
+ Alphabet Inc.,2025-12-03,18:00,"오픈AI, 구글 경쟁 위해 ’갈릭’ 모델 개발 중 - The Information By Investing.com
9
+ Investing.com — OpenAI가 인공지능 경쟁에서 구글에 대한 입지를 되찾기 위해 '갈릭(Garlic)'이라는 코드명의 새로운 대규모 언어 모델을 개발 중이라고 The..."
10
+ Alphabet Inc.,2025-12-03,18:00,"'도전자' 추락한 오픈AI, 구글 추격 나섰다
11
+ 구글 제미나이3 돌풍에 놀라코드명 '갈릭' 연초 조기 공개""추론·코딩 성능 경쟁사 앞서"""
12
+ Alphabet Inc.,2025-12-03,18:00,"오픈AI, 구글 맹추격에 '코드레드' 발령
13
+ 인공지능(AI) 챗봇 챗GPT 개발사 오픈AI의 샘 올트먼 최고경영자(CEO)가 사내에 '적색경보'(code red)를 발령하고, 챗GPT 품질 개선에 집중하기 위해 다른 서비스 출시..."
14
+ Alphabet Inc.,2025-12-03,18:00,"월가, Gemini 3 출시 후 엔비디아, 테슬라, OpenAI보다 구글 지원 강화
15
+ 월가가 방금 경쟁자를 골랐는데, OpenAI, 엔비디아, 테슬라가 아닙니다. 바로 구글입니다. 11월 18일 제미니 3 출시 이후 투자자들은."
16
+ Alphabet Inc.,2025-12-03,18:00,"Alphabet (GOOGL) Stock: Analyst Increase Price Target as Cloud Business Accelerates
17
+ Alphabet GOOGL stock: Target raised to $375 on Google Cloud's $155B backlog and 46% sequential growth. Analyst sees $40B revenue upside potential."
18
+ Alphabet Inc.,2025-12-03,18:00,"Alphabet (GOOGL) Stock Gets Upgrade as Google Cloud Backlog Hits $155B
19
+ Alphabet GOOGL stock: Price target raised to $375 on Google Cloud's $155B backlog and 46% growth. Analyst sees underestimated AI revenue potential."
20
+ Alphabet Inc.,2025-12-03,18:00,"Alphabet Inc. (GOOGL) Analysts Update Coverage
21
+ Arete Research raised its price target on Alphabet from $300 to $380 and maintained a Buy rating, reflecting accelerating adoption of Google's AI tools..."
22
+ Alphabet Inc.,2025-12-04,18:00,"구글의 AI 모멘텀은 1년간 84% 급등 이후 이미 가격이 반영된 것일까요?
23
+ 알파벳의 대규모 상승 이후에도 여전히 현명한 매수인지, 아니면 이미 큰 상승이 끝난 것인지 궁금하다면 여러분은 혼자가 아닙니다. 이번 분석에서는 바로 이 점을..."
24
+ Alphabet Inc.,2025-12-04,18:00,"마이클 세일러 “비트코인, 미 해군·MS·구글의 인프라보다 더 크다”
25
+ 비트코인(CRYPTO:BTC)은 수요일(3일) 스트래티지(NASDAQ:MSTR) 회장 마이클 세일러가 비트코인이 현재 미국 해군과 마이크로소프트(NASDAQ:MSFT)와 구글(NASDAQ:GOOGL)..."
26
+ Alphabet Inc.,2025-12-04,18:00,"서학개미 “반도체주보다 매력적” 집중매수한 종목은
27
+ ... ※한경 마켓PRO 텔레그램을 구독하시면 프리미엄 투자 콘텐츠를 보다 편리하게 볼 수 있습니다. 텔레그램에서 '마켓PRO'를 검색하면 가입할 수 있습니다."
28
+ Alphabet Inc.,2025-12-04,18:00,"How Investors Are Reacting To Alphabet (GOOGL) Nest Lawsuit Challenging Smart-Home Reliability And Trust
29
+ In late November 2025, a federal class action lawsuit was filed in California alleging Google misled consumers about the reliability and longevity of its..."
30
+ Alphabet Inc.,2025-12-04,18:00,"[美특징주]알파벳, 웨이모 로보택시 영토 확장에 강세…기술 자신감 확인
31
+ 구글 모회사 알파벳(GOOGL)이 자율주행 자회사 웨이모(Waymo)의 서비스 지역 확대 소식에 힘입어 상승 흐름을 나타내고 있다.2일(현지시간) 오전11시52분 알파벳 주가..."
32
+ Alphabet Inc.,2025-12-04,18:00,"Google Stock Up 66%. $GOOGL May Pop If Its AI Chip Wins 25% Share
33
+ OpenAI said it might buy AI chips from Google. Nvidia won the deal by cutting its GPU price 30%. By 2030, Google's AI chip market share could hit 25%..."
34
+ Alphabet Inc.,2025-12-04,18:00,"Alphabet: Gemini 3 Changes Everything, And The Market Knows It (NASDAQ:GOOGL)
35
+ Alphabet has emerged as an AI leader, with Gemini 3 exceeding expectations and driving renewed investor enthusiasm. GOOGL posted accelerating revenue..."
36
+ Alphabet Inc.,2025-12-04,18:00,"META, GOOGL, BABA: Tech Firms Unable to Stop ‘Catastrophic’ Use of AI — Study
37
+ Tech companies developing AI, including Alphabet's ($GOOGL) Google DeepMind, Meta ($META), OpenAI (PC:OPAIQ), Anthropic (PC:ANTPQ), and Alibaba Cloud..."
38
+ Alphabet Inc.,2025-12-04,18:00,"엔비디아 CFO, “오픈AI와 ‘최종 계약’ 아직 없다”···구글 TPU 위협 일축
39
+ 초기 발표에도 불구하고, 엔비디아(NASDAQ:NVDA)와 오픈AI 간 1000억 달러 규모 잠재적 거래는 아직 최종 확정되지 않았다고 엔비디아 최고재무책임자(CFO)가 화요일(2..."
40
+ Alphabet Inc.,2025-12-04,18:00,"Alphabet (GOOGL) Retains Buy Rating as Analysts Lift PT to $375 on Accelerating AI and Cloud Demand
41
+ Alphabet Inc. (NASDAQ:GOOGL) is one of the Buzzing AI Stocks on Wall Street. On December 1st, Guggenheim raised its price target on the stock to $375.00..."
42
+ Alphabet Inc.,2025-12-05,18:00,"엔비디아 GPU 가고 구글 TPU? AI 시장 뒤흔든 투자 수혜주 TOP 4 추천
43
+ 최근 주식시장에서 알파벳이 가파르게 치고 올라 엔비디아의 자리를 위협하고 있다는 얘기가 나오는데요. 오늘 돈되는 지식에서는 구글 주식이 인기를 끌고 있는 이유..."
44
+ Alphabet Inc.,2025-12-05,18:00,"2025년 구글 비즈니스 최고 인기 검색어: 애플, 넷플릭스, 관세 등
45
+ 검색 엔진 거대 기업 알파벳(NASDAQ:GOOG)(NASDAQ:GOOGL)의 구글이 2025년 최고 인기 검색어 목록을 공개했다. 올해 미국에서 가장 많이 검색된 전체 검색어와 뉴스..."
46
+ Alphabet Inc.,2025-12-05,18:00,"넷플릭스와 애플, 2025년 구글 엔터테인먼트 검색어 상위권 차지
47
+ 2025년 엔터테인먼트 분야에서 구글 검색어 상위권에서 넷플릭스(NASDAQ:NFLX)와 애플(NASDAQ:AAPL)이 강세를 보여 주었다.알파벳(NASDAQ:GOOG)(NASDAQ:GOOGL)이 소유..."
48
+ Alphabet Inc.,2025-12-05,18:00,"Alphabet’s AI Chips Are a Potential $900 Billion ‘Secret Sauce’
49
+ Alphabet Inc. investors are growing increasingly confident that the company's semiconductors could represent a significant driver of future revenue for..."
50
+ Alphabet Inc.,2025-12-05,18:00,"Alphabet Inc. (GOOGL): A Bull Case Theory
51
+ We came across a bullish thesis on Alphabet Inc. on Jimmy's Journal's Substack by Jimmy Investor. In this article, we will summarize the bulls' thesis on..."
52
+ Alphabet Inc.,2025-12-05,18:00,"Alphabet: The Easy Money Has Been Made (Rating Downgrade) (NASDAQ:GOOGL)
53
+ Alphabet Inc. is now fairly valued after 84% surge and antitrust resolution. Click to see if GOOGL remains a Buy or time to look for better ROI..."
54
+ Alphabet Inc.,2025-12-05,18:00,"With Alphabet (GOOGL) Stock Up 67%, Let’s Look at Who Owns it
55
+ Alphabet ($GOOGL), the parent company of search engine giant Google, YouTube, and Google Cloud, has seen its shares rally more than 67% year-to-date."
56
+ Alphabet Inc.,2025-12-05,18:00,"Soundwatch Capital LLC Buys New Stake in Alphabet Inc. $GOOGL
57
+ Soundwatch Capital LLC purchased a new stake in Alphabet Inc. (NASDAQ:GOOGL - Free Report) during the second quarter, according to its most recent 13F..."
58
+ Alphabet Inc.,2025-12-04,18:00,"Alphabet (GOOGL) Stock: Google Launches Workspace Studio No-Code AI Tool
59
+ Alphabet (GOOGL) stock saw a modest drop Thursday depsite Google officially launching Workspace Studio, a no-code platform designed to let Workspace users..."
60
+ Alphabet Inc.,2025-12-05,18:00,"Google executive sees AI search as expansion for web
61
+ A Google search executive on Thursday pushed back against fears that its AI-powered search will harm web publishers and its advertising business,..."
62
+ Alphabet Inc.,2025-12-06,18:00,"알파벳(GOOGL)의 구글 네스트 결함 집단 소송이 주주에게 주는 의미
63
+ 2025년 11월, 캘리포니아에서 여러 Google Nest 스마트홈 기기에 결함이 있고 약속된 음성 제어 기능을 수행하지 못하며 수십만 명의 사용자에게 신뢰할 수 없는..."
64
+ Alphabet Inc.,2025-12-06,18:00,"구글 목표가, Truist Securities, 연휴 전자상거래 호황에 상향 By Investing.com
65
+ Investing.com — Truist Securities는 미국의 연휴 시즌 전자상거래 및 디지털 광고 지출이 기록을 경신할 것으로 예상됨에 따라 Alphabet (NASDAQ:GOOGL)의 목표 주가..."
66
+ Alphabet Inc.,2025-12-06,18:00,"GOOGL News Today, Dec 5: Google Gemini 3 Deep Think Launches to Tackle Complex Problem-Solving
67
+ Google's launch of Gemini 3 Deep Think showcases advancements in AI reasoning and complex problem-solving. Explore how this impacts GOOGL's stock and."
68
+ Alphabet Inc.,2025-12-06,18:00,"Alphabet's AI Chips Could Be a $900 Billion Goldmine -- Should You Buy GOOGL Stock Now?
69
+ Alphabet NASDAQ:GOOGL has seen investor optimism as its in-house AI chips, called TPUs, are being valued by a top analyst at about $900 billion,..."
70
+ Alphabet Inc.,2025-12-06,18:00,"Here are Friday's biggest analyst calls: Nvidia, Apple, CoreWeave, Broadcom, Alphabet, Netflix, & more
71
+ Here are the biggest calls on Wall Street on Friday."
72
+ Alphabet Inc.,2025-12-06,18:00,"Alphabet (GOOGL) Stock: Why Warren Buffett Just Bet $4 Billion on Google’s Future
73
+ Alphabet stock surges as Berkshire buys $4.3B stake and analyst sets $400 target. Google Cloud growth accelerates while custom AI chips cut costs."
74
+ Alphabet Inc.,2025-12-06,18:00,"Alphabet (GOOGL) Stock: Price Target Jumps as Analyst Says Company ""Winning Everywhere""
75
+ Alphabet stock target raised to $400 by Pivotal Research. Analyst says GOOGL winning in search, AI, YouTube, with custom chips boosting cloud prospects."
76
+ Alphabet Inc.,2025-12-05,18:00,"Alphabet Inc. (GOOGL) Stock: DeepMind Launches Singapore AI Team Focused on Gemini Development
77
+ Google DeepMind is launching a new research team in Singapore focused on advanced reasoning and the development of next-generation Gemini and Deep Think AI..."
78
+ Alphabet Inc.,2025-12-06,18:00,"Alphabet/Google Inc. (GOOGL) Pivotal Research Boosts Target to $400
79
+ Pivotal Research analyst Jeffrey Wlodarczak, has raised his 12 month price target forecast on Alphabet's stock to $400, up from the previous $350 target,..."
80
+ Alphabet Inc.,2025-12-06,18:00,"Alphabet: Expensive For A Reason (NASDAQ:GOOGL)
81
+ Alphabet Inc. is rated a Strong Buy driven by relentless innovation and robust financial performance. Learn more about GOOGL stock here."
82
+ Alphabet Inc.,2025-12-07,18:00,"넷플릭스-워너브러더스 합병, 단순한 영화 사업 아닌 AI 전략
83
+ S&P 글로벌 비저블 알파의 리서치 책임자인 멜리사 오토(Melissa Otto)는 넷플릭스(NASDAQ:NFLX)가 827억 달러 규모로 워너브러더스 디스커버리(NASDAQ:WBD)를 인수..."
84
+ Alphabet Inc.,2025-12-08,05:00,"서학톱픽 1등 싸움 치열했다…구글 vs 엔비디아 ‘AI 칩 전쟁’ [서학톱픽①]
85
+ 알파벳(티커 GOOGL)의 공습이 심상치 않다. 한때 인공지능(AI) 지각생으로 불렸지만 이젠 “구글 주식은 확실한 AI 승자이고, 상승세는 이어질 것(Google Stock Has..."
86
+ Alphabet Inc.,2025-12-08,10:00,"피보탈 ""알파벳 목표주가 400달러…오픈AI에 명백한 위협""
87
+ (서울=연합인포맥스) 홍경표 기자 = 피보탈 리서치그룹은 구글이 인공지능(AI) 시장을 주도할 것으로 전망하면서, 구글의 모회사 알파벳(NAS:GOOGL)의 목표 주가를..."
88
+ Alphabet Inc.,2025-12-08,06:00,"“엔비디아·구글 매수기회 나만 놓쳤어”…‘꿩 대신 닭’ 투자처 있다는데
89
+ 펀드매니저에 'AI 수혜주' 물어보니 “빅테크 밸류체인에 투자가치 있다” 구글TPU 부상에 셀레스티카·루멘텀 엔비디아IDC, 광통신 크로데테크 수혜."
90
+ Alphabet Inc.,2025-12-08,12:00,"Alphabet (GOOGL) Valuation Check After a Strong Multi‑Month Share Price Rally
91
+ Alphabet (GOOGL) just capped an impressive run, with shares up roughly 15% over the past month and about 37% in the past 3 months."
92
+ Alphabet Inc.,2025-12-08,14:00,"Alphabet (GOOGL) Enters a New AI Era — What Will It Look Like in 2035?
93
+ Alphabet ($GOOGL) is Google's parent company and one of the biggest names in tech. The company has entered a new phase powered by AI, more cloud use,..."
94
+ Alphabet Inc.,2025-12-08,11:00,"This Tech Stock Is Up 69% in 2025. 1 Reason This Could Be Just the Beginning.
95
+ Alphabet (NASDAQ: GOOG)(NASDAQ: GOOGL) has made an impressive turnaround this year. In April, its share price sank as low as $141."
96
+ Alphabet Inc.,2025-12-08,15:00,"'또 30%대 폭등?' 서학개미, 실적발표 앞둔 오라클 매집
97
+ ... ※한경 마켓PRO 텔레그램을 구독하시면 프리미엄 투자 콘텐츠를 보다 편리하게 볼 수 있습니다. 텔레그램에서 '마켓PRO'를 검색하면 가입할 수 있습니다."
98
+ Alphabet Inc.,2025-12-08,02:00,"Stock Market Today: NASDAQ:IXIC Nears 17,200, S&P 500 (INDEXSP:.INX) at 5,278 —AVGO Stock,TSLA,WMT,GOOGL Leads
99
+ Trading News NASDAQ:IXIC up 0.9%, S&P 500 (INDEXSP:.INX) at 5278, with strong gains in NASDAQ:AVGO, NASDAQ:TSLA, and NYSE:WMT. AI rotation lifts GOOGL Sto."
100
+ Alphabet Inc.,2025-12-08,11:00,"Alphabet’s Secret Portfolio Just Bought These 2 Stocks. Should You Buy Too?
101
+ Alphabet (NASDAQ:GOOG)(NASDAQ:GOOGL) dominates the search engine market with a greater than 90% share, powering billions of daily queries through Google..."
102
+ Alphabet Inc.,2025-12-08,13:00,"[美특징주]알파벳, 웨이모 로보택시 영토 확장에 강세…기술 자신감 확인
103
+ [이데일리 김카니 기자] 구글 모회사 알파벳(GOOGL)이 자율주행 자회사 웨이모(Waymo)의 서비스 지역 확대 소식에 힘입어 상승 흐름을 나타내고 있다."
104
+ Alphabet Inc.,2025-12-08,05:00,"서학톱픽 1등 싸움 치열했다…구글 vs 엔비디아 ‘AI 칩 전쟁’ [서학톱픽①]
105
+ 알파벳(티커 GOOGL)의 공습이 심상치 않다. 한때 인공지능(AI) 지각생으로 불렸지만 이젠 “구글 주식은 확실한 AI 승자이고, 상승세는 이어질 것(Google Stock Has..."
106
+ Alphabet Inc.,2025-12-08,10:00,"피보탈 ""알파벳 목표주가 400달러…오픈AI에 명백한 위협""
107
+ (서울=연합인포맥스) 홍경표 기자 = 피보탈 리서치그룹은 구글이 인공지능(AI) 시장을 주도할 것으로 전망하면서, 구글의 모회사 알파벳(NAS:GOOGL)의 목표 주가를..."
108
+ Alphabet Inc.,2025-12-08,06:00,"“엔비디아·구글 매수기회 나만 놓쳤어”…‘꿩 대신 닭’ 투자처 있다는데
109
+ 펀드매니저에 'AI 수혜주' 물어보니 “빅테크 밸류체인에 투자가치 있다” 구글TPU 부상에 셀레스티카·루멘텀 엔비디아IDC, 광통신 크로데테크 수혜."
110
+ Alphabet Inc.,2025-12-08,12:00,"Alphabet (GOOGL) Valuation Check After a Strong Multi‑Month Share Price Rally
111
+ Alphabet (GOOGL) just capped an impressive run, with shares up roughly 15% over the past month and about 37% in the past 3 months."
112
+ Alphabet Inc.,2025-12-08,14:00,"Alphabet (GOOGL) Enters a New AI Era — What Will It Look Like in 2035?
113
+ Alphabet ($GOOGL) is Google's parent company and one of the biggest names in tech. The company has entered a new phase powered by AI, more cloud use,..."
114
+ Alphabet Inc.,2025-12-08,11:00,"This Tech Stock Is Up 69% in 2025. 1 Reason This Could Be Just the Beginning.
115
+ Alphabet (NASDAQ: GOOG)(NASDAQ: GOOGL) has made an impressive turnaround this year. In April, its share price sank as low as $141."
116
+ Alphabet Inc.,2025-12-08,15:00,"'또 30%대 폭등?' 서학개미, 실적발표 앞둔 오라클 매집
117
+ ... ※한경 마켓PRO 텔레그램을 구독하시면 프리미엄 투자 콘텐츠를 보다 편리하게 볼 수 있습니다. 텔레그램에서 '마켓PRO'를 검색하면 가입할 수 있습니다."
118
+ Alphabet Inc.,2025-12-08,02:00,"Stock Market Today: NASDAQ:IXIC Nears 17,200, S&P 500 (INDEXSP:.INX) at 5,278 —AVGO Stock,TSLA,WMT,GOOGL Leads
119
+ Trading News NASDAQ:IXIC up 0.9%, S&P 500 (INDEXSP:.INX) at 5278, with strong gains in NASDAQ:AVGO, NASDAQ:TSLA, and NYSE:WMT. AI rotation lifts GOOGL Sto."
120
+ Alphabet Inc.,2025-12-08,11:00,"Alphabet’s Secret Portfolio Just Bought These 2 Stocks. Should You Buy Too?
121
+ Alphabet (NASDAQ:GOOG)(NASDAQ:GOOGL) dominates the search engine market with a greater than 90% share, powering billions of daily queries through Google..."
122
+ Alphabet Inc.,2025-12-08,13:00,"[美특징주]알파벳, 웨이모 로보택시 영토 확장에 강세…기술 자신감 확인
123
+ [이데일리 김카니 기자] 구글 모회사 알파벳(GOOGL)이 자율주행 자회사 웨이모(Waymo)의 서비스 지역 확대 소식에 힘입어 상승 흐름을 나타내고 있다."
data_stock_news/META.csv ADDED
@@ -0,0 +1,89 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ Name,date,time,news
2
+ Meta Platforms,2025-12-04,16:27,"Instagram, 새로운 검색 및 탐색 탭 출시
3
+ 활동 ... Facebook은 콘텐츠를 맞춤화하고, 광고를 조정 및 측정하고, 안전한 경험을 제공하기 위해 쿠키를 사용합니다. 사이트를 클릭하거나 탐색하면 Facebook이 쿠키를..."
4
+ Meta Platforms,2025-12-03,16:27,"AI 지출 증가와 3년간 점유율 471% 급증 이후에도 메타는 여전히 매력적일까요?
5
+ 메타 플랫폼이 큰 폭으로 상승한 이후에도 여전히 현명한 매수 종목인지, 아니면 실제 상승 여력이 이미 가격에 반영된 것인지 궁금하신가요?"
6
+ Meta Platforms,2025-12-03,16:27,"피앤씨솔루션, '메타버스 합성훈련환경(STE) 시범체계' 성공적 구축…과기정통부 장관 표창 수상
7
+ 국방 디지털훈련 혁신을 주도해온 피앤씨솔루션이 '메타버스 합성훈련환경(STE) 시범체계 구축·실증' 과제를 성공적으로 수행한 공로를 인정받아, 2025 K-META 성과..."
8
+ Meta Platforms,2025-12-04,16:27,"메타(META.O), 애플(AAPL.O) 핵심 디자인 수장 전격 영입…소비자용 AI 기기 개발 가속화 By 알파경제 alphabiz
9
+ 메타(META.O), 애플(AAPL.O) 핵심 디자인 수장 전격 영입…소비자용 AI 기기 개발 가속화."
10
+ Meta Platforms,2025-12-04,16:27,"블룸버그 보도: 메타, 2026년 메타버스 예산 30% 삭감 계획 현실 직면
11
+ Horizon Worlds and Quest are facing layoffs as Meta retreats further from its $70 billion bet on virtual reality, people familiar with the matter told..."
12
+ Meta Platforms,2025-12-04,16:27,"Meta Hires Apple’s Design Chief Alan Dye in Surprise Move
13
+ Meta has recruited Alan Dye, the veteran Apple design executive behind the “Liquid Glass”"
14
+ Meta Platforms,2025-12-04,16:27,"[플래시] 애로우3, 독일에서 한계를 넘어 실전 투입
15
+ 12월 3일, 베를린은 플리거호르스트 홀츠도르프-쇠네발데 공군 기지에서 애로우 3의 최초 작전 능력을 발표했는데, 이는 이 시스템의 첫 배치였다."
16
+ Meta Platforms,2025-12-04,16:27,"Apple Design Chief Joins Meta Amid AI Hardware Talent Exodus
17
+ Apple's design chief is moving to Meta. Following Jony Ive, known as the “iPhone designer,” joining OpenAI earlier, the exodus of key Apple talent is..."
18
+ Meta Platforms,2025-12-04,16:27,"Meta starts kicking Australian children off Instagram and Facebook
19
+ Meta has started removing Australian children under 16 years old from its Instagram, Facebook and Threads platforms, a week before an official teen social..."
20
+ Meta Platforms,2025-12-04,16:27,"Meta to adopt OLED microdisplays in its 2026 Quest VR headset, supplied by Seeya and BOE
21
+ Meta is said to be working on a new Quest VR headset, powered by OLED microdisplays. This could be the Meta Quest 4 headset (slated for 2026),..."
22
+ Meta Platforms,2025-12-04,16:27,"Meta begins removing under-16s in Australia ahead of youth social media ban
23
+ US social media giant Meta has begun removing Australian users under the age of 16 from its Instagram, Threads and Facebook platforms as the country..."
24
+ Meta Platforms,2025-12-04,16:27,"EU to investigate Meta over WhatsApp's AI features, reflecting rising scrutiny
25
+ The European Commission is preparing to investigate Meta over the integration of its Meta AI system into WhatsApp, with an announcement expected soon,..."
26
+ Meta Platforms,2025-12-04,16:27,"Meta hires Alan Dye to lead hardware design push against Apple - CHOSUNBIZ
27
+ Meta is speeding up efforts to strengthen its hardware business by hiring Alan Dye, the key designer who introduced the “liquid glass” UI to the latest..."
28
+ Meta Platforms,2025-12-05,16:27,"사명까지 바꾼 메타, 메타버스 조직 예산 최대 30% 삭감...‘메타버스’ 부활 가능성은
29
+ 사명까지 페이스북에서 메타로 바꾸며 '메타버스' 기술 개발에 열중해 온 메타가 관련 조직 예산을 최대 30% 줄이며 조직을 축소하는 방안을 검토 중이다."
30
+ Meta Platforms,2025-12-05,16:27,"(LEAD) Kia unveils Vision Meta Turismo concept on occasion of 80th anniversary
31
+ ATTN: ADDS details in paras 10-13, photos) SEOUL, Dec. 5 (Yonhap) -- Kia Corp. on Frida..."
32
+ Meta Platforms,2025-12-05,16:27,"Meta, which was all-in on the ""metaverse"" business by changing the company's name, eventually launch..
33
+ Facebook parent Meta is considering cutting its metaverse-related budget by 30% next year, Bloomberg News reported on the 4th (local time), citing sources."
34
+ Meta Platforms,2025-12-05,16:27,"Meta to Cut Metaverse Budget by 30% Amid AI Shift
35
+ Meta to Cut Metaverse Budget by 30% Amid AI Shift Reality Labs faces downsizing as Meta redirects funds to AI hardware after $70B losses Meta, which h."
36
+ Meta Platforms,2025-12-05,16:27,"Meta’s Zuckerberg Plans Deep Cuts for Metaverse Efforts
37
+ Meta Platforms Inc.'s Mark Zuckerberg is expected to meaningfully cut resources for building the so-called metaverse, an effort that he once framed as the..."
38
+ Meta Platforms,2025-12-05,16:27,"European Commission probes Meta over rules for AI providers' access to WhatsApp
39
+ Meta's new policy could prohibit AI providers from using a tool that allows businesses, where AI is the primary service, to communicate with customers via..."
40
+ Meta Platforms,2025-12-05,16:27,"Meta pivots to AI smart glasses as metaverse bet struggles
41
+ Meta is shifting some of its investments in the metaverse to AI glasses and wearables, hoping to capitalise on the ""momentum"" in that segment,..."
42
+ Meta Platforms,2025-12-05,16:27,"Meta faces Europe antitrust investigation over WhatsApp AI policy
43
+ The probe will examine whether Meta's new policy on allowing AI providers' access to WhatsApp may breach EU competition rules. A WhatsApp spokesperson told..."
44
+ Meta Platforms,2025-12-05,16:27,"Kia unveils Vision Meta Turismo concept on occasion of 80th anniversary
45
+ SEOUL, Dec. 5 (Yonhap) -- Kia Corp. on Friday unveiled a new futuristic concept car featur..."
46
+ Meta Platforms,2025-12-05,16:27,"Making it Easier to Access Account Support on Facebook and Instagram
47
+ We're making it easier to access 24/7 account support on Facebook and Instagram with new tools like a centralized support hub. In the past year, new account..."
48
+ Meta Platforms,2025-12-06,16:27,"메타, 리미트리스 인수... 초지능 웨어러블 나오나
49
+ 메타, 리미트리스 인수... 초지능 웨어러블 나오나 페이스북 운영사 메타가 인공지능AI 웨어러블 기기를 만드는 스타트업 리미트리스를 인수했다. 리미트리스는 대화를..."
50
+ Meta Platforms,2025-12-06,16:27,"[만물상] 한때 광풍 메타버스
51
+ 만물상 한때 광풍 메타버스 1992년 닐 스티븐슨의 소설 스노 크래시에서 등장한 메타버스는 현실을 초월Meta한 디지털 우주Universe를 뜻한다."
52
+ Meta Platforms,2025-12-06,16:27,"'가상현실 올인' 메타, 100조 손해 보고 4년 만에 구조조정
53
+ ""메타, 내년 메타버스 관련 예산 30% 삭감 검토""""2021년부터 가상현실·VR 기기에서 ..."
54
+ Meta Platforms,2025-12-06,16:27,"Bringing More Real-Time News and Content to Meta AI
55
+ Meta AI will now offer a broader range of real-time content, including global news, entertainment, lifestyle stories, and more across our apps and devices."
56
+ Meta Platforms,2025-12-06,16:27,"Meta to reportedly cut 30% of its metaverse budget
57
+ Bloomberg reports that Meta has decided to cut its Metaverse project budget, by around 30%. Meta has spent over $60 billion, developing AR and VR..."
58
+ Meta Platforms,2025-12-07,16:27,"Meta strikes multiple AI deals with news publishers
59
+ Meta has struck several commercial AI data agreements with news publishers including USA Today, People Inc, CNN, Fox News, The Daily Caller,..."
60
+ Meta Platforms,2025-12-06,16:27,"Meta acquiring AI wearable company Limitless
61
+ Meta has acquired the startup Limitless, which makes a small, artificial intelligence-powered pendant."
62
+ Meta Platforms,2025-12-06,16:27,"Mark Zuckerberg rebranded Facebook for the metaverse. Four years and $70 billion in losses later, he’s moving on
63
+ In 2021, Mark Zuckerberg recast Facebook as Meta and declared the metaverse—a digital realm where people would work, socialize, and spend much of their..."
64
+ Meta Platforms,2025-12-06,16:27,"Meta partners with news outlets to expand AI content
65
+ Meta announced Friday it will integrate content from major news organizations into its artificial intelligence assistant to provide Facebook, Instagram and..."
66
+ Meta Platforms,2025-12-06,16:27,"Meta signs new AI licensing deals with publishers
67
+ Meta signs new AI licensing deals to pull real-time news into Meta AI, linking users to publisher sites and expanding news discovery across its apps."
68
+ Meta Platforms,2025-12-07,16:27,"투자자들이 메타 플랫폼(META)의 배당금 인상과 메타버스에서 AI로의 전환에 어떻게 대응할 수 있을까요?
69
+ 최근 메타 플랫폼의 이사회는 2025년 12월 15일에 등록된 주주에게 2025년 12월 23일에 주당 0.525달러의 분기별 현금 배당금을 지급한다고 발표하는 한편,..."
70
+ Meta Platforms,2025-12-07,16:27,"Meta Shakes Up Wearable AI Market After Snapping Up Limitless
71
+ San Francisco is buzzing after Meta quietly acquired Limitless, the startup behind the viral AI pendant. The deal signals a sharp acceleration in Meta's..."
72
+ Meta Platforms,2025-12-07,16:27,"메타도 AI 뉴스 서비스 위해 대규모 파트너십...'AI 검색' 경쟁에 본격 가세
73
+ 메타가 미국과 유럽의 주요 매체들과 대규모의 상업적 인공지능(AI) 데이터 제휴를 체결, 챗봇 '메타 AI'의 뉴스 제공 기능을 강화했다. 이는 기존의 정책을 크."
74
+ Meta Platforms,2025-12-07,16:27,"이번 주 투자자 관심을 사로잡은 5종목: 메타, 넷플릭스, 세일즈포스, 유아이패스 및 테슬라
75
+ 소매 투자자들은 이번 주(12월 1일~5일) 소셜미디어 엑스(X) 및 레딧의 r/WallStreetBets에서 기업 실적, AI 붐, 기업 흐름 등에 힘입어 다음 5가지 주식에 주목했다."
76
+ Meta Platforms,2025-12-07,16:27,"""대박 꿈꿨는데 쪽박""…'7.7만원→5000원' 가더니 줄줄이 '���절'
77
+ 확 줄어든 메타버스 시장. ETF·플랫폼 줄줄이 퇴장 한때의 대장주는 주가 94% 하락 '1인자 자임' 메타도 ""내년 예산 30% 줄인다"". 업무·쇼핑·엔터테인먼트 대안 공간을..."
78
+ Meta Platforms,2025-12-08,07:27,"메타(META.O), AI 웨어러블 스타트업 리미트리스 인수…리미트리스 "개인용 슈퍼지능 비전 동의"
79
+ 메타 플랫폼스. (사진=연합뉴스) [알파경제=(시카고) 김지선 특파원] 메타 플랫폼스가 A ..."
80
+ Meta Platforms,2025-12-08,14:27,"Meta Brings Back Real-Time News Search as AI Race Heats Up
81
+ Meta is reopening the door to news. After years of scaling back its relationship with major media outlets, the company is now signing fresh deals to bring..."
82
+ Meta Platforms,2025-12-07,16:27,"투자자들이 메타 플랫폼(META)의 배당금 인상과 메타버스에서 AI로의 전환에 어떻게 대응할 수 있을까요?
83
+ 최근 메타 플랫폼의 이사회는 2025년 12월 15일에 등록된 주주에게 2025년 12월 23일에 주당 0.525달러의 분기별 현금 배당금을 지급한다고 발표하는 한편,..."
84
+ Meta Platforms,2025-12-07,17:27,"[모빌리티] 기아 80주년 맞아 미래 콘셉트카 ‘비전 메타투리스모’ 최초 공개 > SERVICE
85
+ [리뷰타임스=김우선 기자] 기아는 5일 경기 용인시 비전스퀘어에서 '기아 80주년 기념행사(Kia 80th Anniversary Ceremony)'를 열고, 80년 사사(社史) 및 미래 콘셉트..."
86
+ Meta Platforms,2025-12-07,21:27,"[AI의 종목 이야기] 메타 5% 급등...메타버스 예산 최대 30% 삭감 전망
87
+ 이 기사는 인공지능(AI) 번역으로 생산된 콘텐츠로, 원문은 12월 4일자 로이터 기사(Meta to cut up to 30% of metaverse budget, Bloomberg News reports)입니다."
88
+ Meta Platforms,2025-12-07,19:27,"11월 XNUMX일 선거에서 연립 정부 구성을 위한 민주당과의 합의에 대해 메타는 감옥에서 다음과 같이 반응했습니다. 알바니아인들의 압도적인 지지가 우리에게 변화를 가져올 것입니다.
89
+ 11월 XNUMX일 선거에서 연립 정부 구성을 위한 민주당과의 합의에 대해 메타는 감옥에서 다음과 같이 반응했습니다. 알바니아인들의 압도적인 지지가 우리에게 변화를..."
data_stock_news/MSFT.csv ADDED
@@ -0,0 +1,139 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ Name,date,time,news
2
+ Microsoft,2025-12-03,17:58,"비트코인(BTC) 가격 뉴스: 마이크로소프트(MSFT)의 AI 매출 목표 하향 조정에 2% 하락, 9만 2천 달러 기록
3
+ 마이크로소프트가 AI 에이전트 판매에 대한 기대치를 낮추고 있다는 보고서에 힘입어 기술주가 급락하면서, 수요일 오전 비트코인은 92,000달러 선으로 하락했습니다."
4
+ Microsoft,2025-12-03,17:58,"마이크로소프트 CEO, AI 분야에서 다수의 승자 필요성 강조···“그렇지 않으면 막다른 길”
5
+ 마이크로소프트(NASDAQ:MSFT)는 AI 성장을 위해 데이터센터에 막대한 투자를 하고 있는 기업 중 하나다. 마이크로소프트 CEO는 AI 분야에 필요한 에너지 증가와 AI..."
6
+ Microsoft,2025-12-03,17:58,"Microsoft (MSFT): Exploring Valuation as Share Price Dips 1% This Week
7
+ Microsoft (MSFT) shares have seen a subtle dip this week, reflecting a slight change in investor sentiment. With the stock price down 1% in the past day,..."
8
+ Microsoft,2025-12-03,17:58,"A decade of open innovation: Celebrating 10 years of Microsoft and Red Hat partnership
9
+ Celebrate 10 years of Microsoft and Red Hat partnership, driving hybrid cloud, open innovation, and Azure Red Hat OpenShift for enterprise agility."
10
+ Microsoft,2025-12-03,17:58,"Webush Names Microsoft Top AI Hyperscaler Bet for 2026
11
+ This article first appeared on GuruFocus. Wedbush analyst Dan Ives named the software giant Microsoft (NASDAQ:MSFT) his top AI hyperscaler pick,..."
12
+ Microsoft,2025-12-03,17:58,"Teams Proves a Hit in Travel: Microsoft Stock (NASDAQ:MSFT) Notches Up
13
+ While most might be upset about tech giant Microsoft ($MSFT) and its plan to turn Teams into a coffee-badging tattling machine, there is no doubt that Teams..."
14
+ Microsoft,2025-12-03,17:58,"Microsoft Rebounds But Watch This Key Level; Is The Stock A Buy Now?
15
+ Microsoft (MSFT) stock in 2025 has largely risen in line with the 16% gain on the benchmark S&P 500, but the software heavyweight's stock lags behind those..."
16
+ Microsoft,2025-12-03,17:58,"Microsoft (MSFT): Exploring Valuation as Share Price Dips 1% This Week
17
+ Microsoft (MSFT) shares have seen a subtle dip this week, reflecting a slight change in investor sentiment. With the stock price down 1% in the past day,..."
18
+ Microsoft,2025-12-03,17:58,"Stock Market Today - Wall Street Regains Its Footing as Tech and Crypto Rebound; Nasdaq Leads the Charge
19
+ Trading News U.S. markets rise with the S&P 500 at 6843 and Nasdaq 100 near 25500. NVIDIA (NVDA) trades at $181, Microsoft (MSFT) at $486, and Bitcoin (B..."
20
+ Microsoft,2025-12-02,17:58,"Here's How Much $100 Invested In Microsoft 20 Years Ago Would Be Worth Today
21
+ Microsoft (NASDAQ:MSFT) has outperformed the market over the past 20 years by 6.62% on an annualized basis producing an average annual return of 15.41%."
22
+ Microsoft,2025-12-04,17:58,"마이크로소프트 주가 하락: 최근 최고치 이후 MSFT가 하락하는 이유는 무엇일까?
23
+ 마이크로소프트 주식은 2025년 12월 3일 기준 477.73달러에 마감됐으며, 하루 만에 11.89달러(–2.4%) 하락했습니다. 52주 범위: $344.79 ~ $555.45"
24
+ Microsoft,2025-12-04,17:58,"미국증시 S&P500 '상승'...테슬라·MCHP '껑충' vs MSFT '뚝'
25
+ [초이스경제 조미정 기자] 3일(미국시간) 뉴욕증권거래소에 따르면 이날 뉴욕증시에서 대형주 중심의 S&P500 지수는 6849.72로 20.35포인트(0.30%) 상승했다."
26
+ Microsoft,2025-12-04,17:58,"[뉴욕 한 잔, 뉴스프레소] 민간고용 쇼크 / 트럼프, 로봇 지원도 검토 / 계속되는 ‘AI 수익화’ 다음은 MSFT / 실적에 엇갈린 세일즈포스·스노우플레이크
27
+ 간밤 당신의 해외 계좌는 무탈했나요? 매일 아침 8시!!! 글로벌 증시 헤드라인 부터 가장 크게 움직인 종목 뉴스까지 출근길 당신에게 브리핑해 드립니다."
28
+ Microsoft,2025-12-04,17:58,"MSFT 뉴스 라이브 : $ 509.31의 기술적 저항 - 주요 이동 평균 아래에서 가격 투쟁
29
+ Microsoft는 오늘 1.72% 하락한 481.73달러로, 약세 신호와 변동성으로 인해 MSFT 주식의 단기 가격 움직임이 형성되고 있습니다."
30
+ Microsoft,2025-12-04,17:58,"MS, 수요일 주가 2.5% 하락···“주저하는” 고객사들 때문에 AI 판매 목표 하향
31
+ 마이크로소프트(NASDAQ:MSFT) 주가는 수요일(3일) 하락세를 보였다. 고객사들이 신규 도구 구매를 주저하면서 마이크로소프트가 인공지능(AI) 소프트웨어 판매 목표를..."
32
+ Microsoft,2025-12-04,17:58,"마이크로소프트, 넷플릭스, 퓨어스토리지
33
+ [이데일리 김카니 기자] 3일(현지시간) 오후장 특징주 클라우드·윈도우 업체 마이크로소프트(MSFT)가 AI 매출 목표 하향설을 부인했음에도 주가가 약세를 보이고 있다."
34
+ Microsoft,2025-12-04,17:58,"[美특징주]마이크로소프트, 하락…""AI 판매 목표치 줄여""
35
+ 마이크로소프트(MSFT)가 인공지능(AI) 제품 매출 성장 목표를 줄였다는 보도가 나오면서 약세��� 보이고 있다.3일(현지시간) 오전 10시26분 현재 마이크로소프트는 전..."
36
+ Microsoft,2025-12-04,17:58,"사티아 나델라, 완전히 AI로 운영되는 기업은 ‘다소 비현실적’···“인간의 개입 필요”
37
+ 마이크로소프트(NASDAQ:MSFT) CEO 사티아 나델라(Satya Nadella)는 인공지능(AI)이 비즈니스를 변화시킬 것이지만, 완전히 AI가 창안하고 운영하는 기업은 아직 먼..."
38
+ Microsoft,2025-12-04,17:58,"[美특징주]마이크로소프트, ‘AI 판매 목표 하향’ 보도 부인… 주가 낙폭 축소
39
+ 마이크로소프트(MSFT) 주가가 수요일 장 초반 한때 3%까지 떨어졌지만, 회사가 AI 소프트웨어 판매 쿼타를 낮췄다는 보도를 즉각 부인하면서 낙폭을 1.6%로 줄였다."
40
+ Microsoft,2025-12-05,17:58,"투자자들이 보고된 AI 매출 목표 변경에 대한 Microsoft(MSFT)의 혼란에 반응하는 방법
41
+ 최근 며칠 동안 Microsoft가 예상보다 느린 수요로 인해 AI 판매 목표를 낮췄다는 보도가 나온 후, Microsoft는 AI 제품에 대한 총 할당량과 목표는 변함이 없다고..."
42
+ Microsoft,2025-12-05,17:58,"Microsoft Stock Slipped 2.5% On Reports That the Tech Giant Missed AI Product Sales Target
43
+ Microsoft 주식 가격 변동: -2.5%; 12월 3일 기준 $MSFT 주가: $478; 52주 최고가: $555; MSFT 주가 목표: $625. 지금 라이브: TIKR의 새로운 가치 평가 모델을 사용..."
44
+ Microsoft,2025-12-05,17:58,"마이크로소프트(MSFT.O), 기업용 '마이크로소프트 365' 제품군 가격 인상…""AI 기능 1,100개 추가 반영""
45
+ 한눈에 보는 오늘 : 경제 - 뉴스 : 마이크로소프트 본사. (사진=연합뉴스)[알파경제=(시카고) 폴 리 특파원] 마이크로소프트(MS)가 2026년 7월부터 전 세계 기업 및..."
46
+ Microsoft,2025-12-05,17:58,"[美특징주]마이크로소프트, ‘AI 수혜 최선호주’ 평가…목표가 유지-D.A.데이비슨
47
+ 글로벌 기술기업 마이크로소프트(MSFT)가 AI 인프라 성장의 최대 수혜주로 지목되며 월가에서 강한 신뢰를 유지하고 있다. D.A.데이비슨은 “AI 거품 여부와 무관하게..."
48
+ Microsoft,2025-12-05,17:58,"[美특징주]마이크로소프트, 기업용 오피스 구독료 인상…주가 강보합
49
+ 글로벌 소프트웨어 대장주 마이크로소프트(MSFT)는 기업 및 정부 고객을 대상으로 한 오피스 소프트웨어 구독 가격 인상 계획을 발표했으나 주가는 보합권에 머물며 숨..."
50
+ Microsoft,2025-12-05,17:58,"Microsoft (NASDAQ: MSFT) Stock Price Prediction for 2025: Where Will It Be in 1 Year
51
+ Shares of Microsoft (NASDAQ:MSFT) lost 1.58% over the past five trading sessions after losing 1.52% the five prior. That brings MSFT's year-to-date gain to..."
52
+ Microsoft,2025-12-05,17:58,"IIGCC Members Back Continued Support into 2026 at AGM
53
+ IIGCC members reaffirm support into 2026 at the 2025 AGM, reflecting on progress and priorities in net zero, nature, and climate resilience."
54
+ Microsoft,2025-12-05,17:58,"Microsoft: Ignore The Anti-AI Chatter (NASDAQ:MSFT)
55
+ Microsoft Corporation remains a top buy pick with 33% upside potential despite recent AI market volatility. Click for this updated look at MSFT stock."
56
+ Microsoft,2025-12-05,17:58,"MSFT January 2026 Options Begin Trading
57
+ Investors in Microsoft Corporation (Symbol: MSFT) saw new options begin trading today, for the January 2026 expiration. At Stock Options Channel,..."
58
+ Microsoft,2025-12-05,17:58,"Microsoft (MSFT) to Hike Prices for Commercial Office Subscriptions
59
+ Technology giant Microsoft (MSFT) has announced that it will increase the prices of its Office productivity software subscriptions for commercial and..."
60
+ Microsoft,2025-12-06,17:58,"MSFT Stock: Microsoft to Hike Office 365 Prices Up to 33% from July 2026
61
+ Microsoft has announced commercial price increases for Office 365 subscriptions, with changes set to take effect from July 1, 2026. Business and government."
62
+ Microsoft,2025-12-06,17:58,"MSFT: Record results, AI leadership, and all management proposals approved; shareholder proposals failed
63
+ Record financial results and strong cloud growth were reported, with a focus on AI innovation, security, and quality. All management proposals passed,..."
64
+ Microsoft,2025-12-06,17:58,"Microsoft: Probabilities Are Shifting Toward Danger
65
+ Assess Microsoft's stock as macroeconomic risks and valuation concerns persist despite strong Q1 growth. Read here for more investment analysis."
66
+ Microsoft,2025-12-06,17:58,"10 scientific breakthroughs from Microsoft researchers
67
+ Microsoft researchers published numerous findings in peer-reviewed journals in 2025. Here's how AI and other technologies are accelerating breakthroughs."
68
+ Microsoft,2025-12-06,17:58,"Microsoft (MSFT) is a Top-Ranked Growth Stock: Should You Buy?
69
+ Wondering how to pick strong, market-beating stocks for your investment portfolio? Look no further than the Zacks Style Scores."
70
+ Microsoft,2025-12-06,17:58,"Microsoft (MSFT) Stock: Office 365 Subscription Prices Rising Up to 33% for Business Customers
71
+ Microsoft stock: Office 365 commercial subscriptions rising up to 33% in July 2026. Front-line workers and small businesses face steepest price increases."
72
+ Microsoft,2025-12-06,17:58,"Microsoft (MSFT) Stock Upgraded—Here’s Why Azure Is the Game-Changer
73
+ Microsoft Corporation (NASDAQ:MSFT) is one of the AI Stocks Analysts Are Watching Closely. On July 31, KeyBanc analyst Jackson Ader upgraded the stock from..."
74
+ Microsoft,2025-12-06,17:58,"Microsoft (MSFT) is a Top-Ranked Growth Stock: Should You Buy?
75
+ Whether you're a value, growth, or momentum investor, finding strong stocks becomes easier with the Zacks Style Scores, a top feature of the Zacks Premium..."
76
+ Microsoft,2025-12-06,17:58,"How to Buy Microsoft (MSFT) Shares in Indonesia
77
+ A complete guide on how to buy Microsoft (MSFT) shares in Indonesia 2025 through platforms like Pintu Tokenized Stocks, safe and easy for beginners."
78
+ Microsoft,2025-12-06,17:58,"Microsoft (MSFT) Stock: Office 365 Commercial Subscription Prices Rising in 2026
79
+ Microsoft dropped a pricing bombshell Thursday. Commercial Office 365 subscriptions are getting more expensive starting July 1, 2026. MSFT Stock Card"
80
+ Microsoft,2025-12-07,17:58,"Gates Foundation Sells MSFT Stock—Should Investors Be Worried?
81
+ The Gates Foundation sold 65% of its Microsoft stake, but analysts say the move reflects rebalancing, not fading confidence, which makes MSFT stock a buy."
82
+ Microsoft,2025-12-07,17:58,"Key facts: Microsoft competes in cloud AI; discusses chips with Broadcom; proposals rejected
83
+ Microsoft is competing in the cloud AI services market, particularly against Amazon, which is also developing AI chips, highlighting a trend among major..."
84
+ Microsoft,2025-12-07,17:58,"New Buy Rating for Microsoft (MSFT), the Technology Giant
85
+ Barclays analyst Raimo Lenschow maintained a Buy rating on Microsoft today and set a price target of $625.00. TipRanks Cyber Monday Sale."
86
+ Microsoft,2025-12-07,17:58,"Prediction: This Will Be the First Tech Company to Split Its Stock in 2026
87
+ As the end of 2025 approaches, it's looking like another strong year for the stock market. As of this writing (Dec. 2), the S&P 500 (^GSPC +0.19%) and..."
88
+ Microsoft,2025-12-07,17:58,"Microsoft Study Reveals Which Jobs Are Most Vulnerable to AI. Is Your Position at Risk?
89
+ A new paper by researchers at Microsoft identified 40 occupations that could be performed by artificial intelligence (AI)."
90
+ Microsoft,2025-12-07,17:58,"Peter Thiel Sells All His Nvidia Shares and Buys Microsoft and Apple Instead
91
+ Peter Thiel sold his entire Nvidia stake and reinvested in Microsoft (MSFT) and Apple (AAPL). Microsoft generated $25.7B in free cash flow in Q1,..."
92
+ Microsoft,2025-12-07,17:58,"Antitrust group dismisses Qwant’s complaint against Microsoft, Reuters says
93
+ A French antitrust watchdog dismissed a complaint filed against Microsoft (MSFT) by local search engine Qwant, which accused Microsoft of abusing i..."
94
+ Microsoft,2025-12-07,17:58,"Bill Gates Just Dumped 65% of His Microsoft Stock. Should You Sell?
95
+ Microsoft co-founder (NASDAQ:MSFT) Bill Gates once held the vast majority of his personal wealth in the company's shares. Over decades, he gradually reduced..."
96
+ Microsoft,2025-12-07,17:58,"Here Are My Top 3 Quantum Computing Stocks to Buy in December
97
+ Detailed price information for Microsoft Corp (MSFT-Q) from The Globe and Mail including charting and trades."
98
+ Microsoft,2025-12-07,17:58,"Should You Buy Nvidia Before 2026? The Evidence Is Piling Up, and It Says This.
99
+ Detailed price information for Microsoft Corp (MSFT-Q) from The Globe and Mail including charting and trades."
100
+ Microsoft,2025-12-08,08:58,"2025년 급격한 AI 및 클라우드 확장을 앞둔 Microsoft를 고려하기에는 너무 늦은 시기인가?
101
+ Microsoft가 현재 수준에서 여전히 현명한 매수인지 또는 이미 쉽게 돈을 벌었는지 궁금하다면 혼자가 아니며 그 질문을 직접 다루려고합니다."
102
+ Microsoft,2025-12-08,15:58,"Barclays Maintains Overweight on Microsoft (MSFT), Cites Strong Monetization Potential
103
+ Microsoft Corporation (NASDAQ:MSFT) is among the best stocks you'll wish you bought sooner."
104
+ Microsoft,2025-12-08,05:58,"Microsoft Stock Price Forecast - MSFT Stock Eyes $635 as Azure Revenue Hits $30.9B
105
+ Trading News Microsoft (MSFT) trades near $483, up 48% YTD, with Q1 FY2026 revenue at $77.7B (+18% YoY) and Azure Cloud surging 40% YoY to $30.9B | That's ."
106
+ Microsoft,2025-12-08,09:58,"[美 주간탑] 엔비디아, 거래대금 45.2조원 1위... 거래대금 상위 20선
107
+ 최근 5거래일간 미국증시에서 가장 많은 금액이 거래된 종목은 엔비디아(NVDA)로 하루 평균 45.2조원이 거래됐다. 시가총액 대비 거래대금 비중은 0.6%다."
108
+ Microsoft,2025-12-08,10:58,"1 Unstoppable Artificial Intelligence (AI) Stock to Buy Before It Soars Into the $5 Trillion Club
109
+ Nine American companies have amassed valuations of $1 trillion or more, but only Nvidia has crossed the $5 trillion milestone. Microsoft could be one of the..."
110
+ Microsoft,2025-12-07,19:58,"Microsoft: Path To $600 (NASDAQ:MSFT)
111
+ Microsoft delivered strong Q1 results, driven by 28% year-over-year growth in its Azure-powered Intelligent Cloud segment. Read why MSFT stock is a Buy."
112
+ Microsoft,2025-12-08,01:58,"10 Energy Stocks to Buy Right Now
113
+ Detailed price information for Microsoft Corp (MSFT-Q) from The Globe and Mail including charting and trades."
114
+ Microsoft,2025-12-08,08:58,"Is It Too Late to Consider Microsoft After Its Rapid AI and Cloud Expansion in 2025
115
+ If you are wondering whether Microsoft is still a smart buy at current levels or if the easy money has already been made, you are not alone,..."
116
+ Microsoft,2025-12-07,18:58,"Prediction: This Will Be the First Tech Company to Split Its Stock in 2026
117
+ As the end of 2025 approaches, it's looking like another strong year for the stock market. As of this writing (Dec. 2), the S&P 500 (SNPINDEX: ^GSPC) and..."
118
+ Microsoft,2025-12-08,08:58,"The Smartest AI Stock to Buy With $1,000 Right Now
119
+ You want to look for thorough businesses, with or without artificial intelligence (AI)."
120
+ Microsoft,2025-12-08,08:58,"2025년 급격한 AI 및 클라우드 확장을 앞둔 Microsoft를 고려하기에는 너무 늦은 시기인가?
121
+ Microsoft가 현재 수준에서 여전히 현명한 매수인지 또는 이미 쉽게 돈을 벌었는지 궁금하다면 혼자가 아니며 그 질문을 직접 다루려고합니다."
122
+ Microsoft,2025-12-08,15:58,"Barclays Maintains Overweight on Microsoft (MSFT), Cites Strong Monetization Potential
123
+ Microsoft Corporation (NASDAQ:MSFT) is among the best stocks you'll wish you bought sooner."
124
+ Microsoft,2025-12-08,05:58,"Microsoft Stock Price Forecast - MSFT Stock Eyes $635 as Azure Revenue Hits $30.9B
125
+ Trading News Microsoft (MSFT) trades near $483, up 48% YTD, with Q1 FY2026 revenue at $77.7B (+18% YoY) and Azure Cloud surging 40% YoY to $30.9B | That's ."
126
+ Microsoft,2025-12-08,09:58,"[美 주간탑] 엔비디아, 거래대금 45.2조원 1위... 거래대금 상위 20선
127
+ 최근 5거래일간 미국증시에서 가장 많은 금액이 거래된 종목은 엔비디아(NVDA)로 하루 평균 45.2조원이 거래됐다. 시가총액 대비 거래대금 비중은 0.6%다."
128
+ Microsoft,2025-12-08,10:58,"1 Unstoppable Artificial Intelligence (AI) Stock to Buy Before It Soars Into the $5 Trillion Club
129
+ Nine American companies have amassed valuations of $1 trillion or more, but only Nvidia has crossed the $5 trillion milestone. Microsoft could be one of the..."
130
+ Microsoft,2025-12-07,19:58,"Microsoft: Path To $600 (NASDAQ:MSFT)
131
+ Microsoft delivered strong Q1 results, driven by 28% year-over-year growth in its Azure-powered Intelligent Cloud segment. Read why MSFT stock is a Buy."
132
+ Microsoft,2025-12-08,01:58,"10 Energy Stocks to Buy Right Now
133
+ Detailed price information for Microsoft Corp (MSFT-Q) from The Globe and Mail including charting and trades."
134
+ Microsoft,2025-12-08,08:58,"Is It Too Late to Consider Microsoft After Its Rapid AI and Cloud Expansion in 2025
135
+ If you are wondering whether Microsoft is still a smart buy at current levels or if the easy money has already been made, you are not alone,..."
136
+ Microsoft,2025-12-07,18:58,"Prediction: This Will Be the First Tech Company to Split Its Stock in 2026
137
+ As the end of 2025 approaches, it's looking like another strong year for the stock market. As of this writing (Dec. 2), the S&P 500 (SNPINDEX: ^GSPC) and..."
138
+ Microsoft,2025-12-08,08:58,"The Smartest AI Stock to Buy With $1,000 Right Now
139
+ You want to look for thorough businesses, with or without artificial intelligence (AI)."
data_stock_news/NFLX.csv ADDED
@@ -0,0 +1,129 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ Name,date,time,news
2
+ Netflix,2025-12-03,16:27,"Final Trade: BA, AA, NFLX, SLB
3
+ The final trades of the day with CNBC's Brian Sullivan and the 'Fast Money' traders."
4
+ Netflix,2025-12-03,16:27,"Netflix director Reed Hastings sells $40.7 million in shares
5
+ Netflix (NASDAQ:NFLX) Director Reed Hastings sold a total of 377,570 shares of common stock on December 1, 2025, for approximately $40.7 million."
6
+ Netflix,2025-12-03,16:27,"Fund Update: 273,908 NETFLIX (NFLX) shares added to Allworth Financial LP portfolio
7
+ Allworth Financial LP has added 273908 shares of $NFLX to their portfolio, per a new SEC 13F filing."
8
+ Netflix,2025-12-03,16:27,"It is reported that a potential merger between Netflix (NFLX.US) and Warner Bros. Discovery (WBD.US) could help reduce subscription fees for streaming platforms.
9
+ According to sources cited by Reuters, Netflix (NFLX.US) is expected to lower subscription fees for streaming platforms by bundling Netflix and HBO Max in..."
10
+ Netflix,2025-12-03,16:27,"Netflix (NFLX) Stock: Streaming Giant Submits Cash Bid for Warner Bros. Discovery
11
+ Netflix stock rises as streaming giant submits cash bid for Warner Bros. Discovery. Company faces regulatory challenges in $70B auction with Christmas..."
12
+ Netflix,2025-12-03,16:27,"Netflix (NFLX) Stock: Streaming Leader Delivers Cash Bid for Warner Bros. Discovery
13
+ Netflix NFLX stock: Streaming giant submits cash bid for Warner Bros. Discovery in auction. Deal faces regulatory scrutiny with Christmas closing target."
14
+ Netflix,2025-12-03,16:27,"Exclusive: Netflix, Warner Bros Discovery combo seen lowering costs for consumers, sources say
15
+ Netflix's proposed acquisition of Warner Bros Discovery's studios and streaming unit is expected to reduce streaming costs for consumers by bundling Netflix..."
16
+ Netflix,2025-12-03,16:27,"Netflix Goes All In: The $70B Play to End the Streaming Wars
17
+ In a move that could fundamentally redraw the map of the global entertainment industry, Netflix NASDAQ: NFLX has reportedly submitted a binding,..."
18
+ Netflix,2025-12-03,16:27,"Netflix quietly removes popular feature, frustrating subscribers
19
+ In 2025, Netflix (NFLX) made several major moves, some of which frustrated subscribers and some of which pleased them. The year began with a move that..."
20
+ Netflix,2025-12-03,16:27,"Netflix (NFLX) and Competitors Bid for Warner Bros. Discovery As
21
+ Warner Bros. Discovery Inc. has received second-round bids, including a primarily cash offer from Netflix Inc. (NFLX), according to insiders."
22
+ Netflix,2025-12-04,16:28,"[美특징주]넷플릭스, 급락…워너브라더스 인수 '부담'
23
+ 스트리밍 대기업인 넷플릭스(NFLX) 주가가 급락하고 있다. 워너브라더스디스커버리(WBD) 인수를 추진하면서 규제 리스크가 커진 영향이다. 공동창업자의 대규모 지분..."
24
+ Netflix,2025-12-04,16:28,"Netflix (NFLX) Shares Pulled Back Despite Solid Results
25
+ Brown Advisory, an investment management company, released its “Brown Advisory Large-Cap Growth Strategy” third-quarter 2025 investor letter. A copy of the..."
26
+ Netflix,2025-12-04,16:28,"Final Trade: GM, ULTA, NFLX, BWA
27
+ The final trades of the day with CNBC's Melissa Lee and the 'Fast Money' traders."
28
+ Netflix,2025-12-04,16:28,"넷플릭스, HBO 맥스와 번들 서비스 가능성에 주가 하락
29
+ 넷플릭스(NASDAQ:NFLX)는 수요일(3일) 회사가 워너브라더스 디스커버리(NASDAQ:WBD)의 스튜디오 및 스트리밍 사업부를 인수하기 위해 대부분 현금으로 구성된 입찰을..."
30
+ Netflix,2025-12-04,16:28,"Why Netflix (NFLX) Shares Are Falling Today
31
+ Shares of streaming video giant Netflix (NASDAQ: NFLX) fell 5.9% in the morning session after reports emerged that its potential acquisition of Warner Bros."
32
+ Netflix,2025-12-04,16:28,"Why Netflix (NFLX) Stock Is Plunging Today?
33
+ Netflix NASDAQ:NFLX shares slid about 5% on Wednesday morning after a Reuters report said the streamer's largely cash bid for Warner Bros."
34
+ Netflix,2025-12-04,16:28,"NFLX Investors Have Opportunity to Join Netflix, Inc. Fraud Investigation with the Schall Law Firm
35
+ NFLX Investors Have Opportunity to Join Netflix, Inc. Fraud Investigation with the Schall Law Firm..."
36
+ Netflix,2025-12-04,16:28,"Netflix (NASDAQ:NFLX) Stock Price Down 6.3% After Insider Selling
37
+ Shares of Netflix, Inc. (NASDAQ:NFLX - Get Free Report) were down 6.3% during trading on Wednesday after an insider sold shares in the company."
38
+ Netflix,2025-12-04,16:28,"Netflix and Paramount stock in red; both emerge as favorites to buy Warner Bros. (NFLX:NASDAQ)
39
+ Shares of Paramount Skydance (PSKY) and Netflix (NFLX) are sinking in midday trading on Wednesday as the two media companies emerge as top bidders and are..."
40
+ Netflix,2025-12-04,16:28,"Netflix stock (NFLX) falls 5% despite stellar earnings - what's behind the move?
41
+ Netflix stock today: Netflix stock fell over 5% today, even after strong Q3 results and an increase in full-year guidance. Explore the reasons behind..."
42
+ Netflix,2025-12-06,16:28,"With Netflix's 10-for-1 Stock Split Complete, Here Are 3 Growth Stocks to Buy in December That Could Issue Stock Splits in 2026
43
+ Netflix (NASDAQ: NFLX) popped in early November after announcing a 10-for-1 stock split. With the split now complete, investors can buy one share of Netflix..."
44
+ Netflix,2025-12-05,16:28,"Netflix Could Be About to Buy Harry Potter. Investors Aren't Happy About It.
45
+ Netflix is reportedly the odds-on favorite to acquire competitor Warner Bros. Discovery, but its shares were down more than 1% in intraday trading after..."
46
+ Netflix,2025-12-05,16:28,"Assessing Netflix (NFLX) Valuation After Recent Share Price Pullback
47
+ Netflix (NFLX) has slipped about 5% over the past month and roughly 16% in the past 3 months, a pullback that has some investors revisiting whether the..."
48
+ Netflix,2025-12-05,16:28,"Netflix (NFLX) Stock Quotes, Company News And Chart Analysis
49
+ Netflix (NFLX) Stock Quotes, Company News And Chart Analysis · IBD STAFF · Updated 12:38 PM ET 12/04/2025. Netflix (NFLX). $100.24..."
50
+ Netflix,2025-12-05,16:28,"Netflix Stock Slides As Alarm Bells Ring Related To Potential HBO Max Bundle
51
+ Netflix Inc (NASDAQ:NFLX) shares slipped on Wednesday following reports that the company has submitted a mostly cash bid for Warner Bros."
52
+ Netflix,2025-12-05,16:28,"Is Netflix (NFLX) Stepping Back from Gaming?
53
+ Netflix (NFLX) stock was down on Thursday following news that the streaming service has sold one of its game developers, raising concerns that the company..."
54
+ Netflix,2025-12-05,16:28,"Netflix enters exclusive talks to acquire Warner Bros Discovery studio and streaming service, Bloomberg News reporter says
55
+ Netflix NASDAQ:NFLX has entered exclusive talks with Warner Bros Discovery NASDAQ:WBD to acqiure its studio and streaming service, a Bloomberg News reporter..."
56
+ Netflix,2025-12-05,16:28,"NFLX stock crash: Why is Netflix stock down today? Will antitrust heat derail Q4 growth?
57
+ NFLX shares dropped 0.71% to $103.22 today amid ongoing investor concerns over antitrust scrutiny of Netflix's potential $83 billion acquisition of Warner..."
58
+ Netflix,2025-12-05,16:28,"Netflix puts up top bid for Warner Bros Discovery - reports (NASDAQ:NFLX)
59
+ Netflix (NFLX) emerged as the highest bidder for Warner Bros. Discovery's (WBD), according to a Reuters report that cites sources familiar with the matter."
60
+ Netflix,2025-12-05,16:28,"Netflix’s bid for WBD assets dubbed ‘hardest from regulatory perspective’
61
+ Netflix Inc (NASDAQ: NFLX) remains in focus today after Jonathan Kanter dubbed its 80% cash bid for Warner Bros. Discovery assets the “hardest from a."
62
+ Netflix,2025-12-06,16:28,"넷플릭스의 광고 푸시 및 비밀번호 단속이 2025년 기업가치 전망에 미치는 영향
63
+ 지난 몇 년간 엄청난 상승세를 보인 넷플릭스가 여전히 매수할 가치가 있는지, 아니면 상승 여력이 이미 대부분 반영된 것인지 궁금하신가요?"
64
+ Netflix,2025-12-06,16:28,"넷플릭스, 워너 브라더스 인수 위한 단독 협상 돌입···규제 장벽 예상
65
+ 할리우드를 사로잡은 치열한 입찰 전쟁 끝에 넷플릭스(NASDAQ:NFLX)는 워너 브라더스 디스커버리(NASDAQ:WBD)의 가장 소중한 자산을 위한 역사적인 인수를 마무리하기..."
66
+ Netflix,2025-12-06,16:28,"뉴욕증시 프리뷰, 인플레 지표 기다리며 강보합...넷플릭스 720억달러 '빅딜'에 WBD 급등·NFLX 급락
67
+ PCE 물가 오늘 발표…연준, '난제의 회의' 앞둬 시장 ""데이터는 엇갈려…연준 판단 더 어렵다"" 넷플릭스 720억달러 초대형 인수…WBD 급등·NFLX 급락."
68
+ Netflix,2025-12-06,16:28,"[美특징주]파라마운트스카이댄스, 넷플릭스에 밀린 '워너 인수'…주가 7% 급락
69
+ 글로벌 미디어 기업 파라마운트 스카이댄스(PARA)는 워너브라더스 디스커버리(WBD) 경쟁에서 경쟁사 넷플릭스(NFLX)에 패배했다는 소식에 주가가 미끄러지고 있다.5..."
70
+ Netflix,2025-12-07,16:28,"NFLX News Today, Dec 6: Exploring Netflix’s Unusual Trading Volume
71
+ Explore Netflix's unusual trading volume, insights into NFLX stock performance, and potential market impacts."
72
+ Netflix,2025-12-07,16:28,"Netflix (NFLX) Buys Warner Bros. for $72 Billion in Major Streaming Expansion Move
73
+ Netflix Inc. (NASDAQ:NFLX) is among the best stocks you'll wish you bought sooner. On Friday, December 5, Netflix Inc. (NASDAQ:NFLX) announced the..."
74
+ Netflix,2025-12-07,16:28,"Netflix Stock Price Forecast - NFLX at $100 After $72B Warner Bros. Deal — $145 Upside Potential
75
+ Netflix Stock Price Forecast - (NASDAQ:NFLX) Reshapes the Entertainment Industry With the $72 Billion Warner Bros. Discovery Deal."
76
+ Netflix,2025-12-07,16:28,"넷플릭스-워너브러더스 합병, 단순한 영화 사업 아닌 AI 전략
77
+ S&P 글로벌 비저블 알파의 리서치 책임자인 멜리사 오토(Melissa Otto)는 넷플릭스(NASDAQ:NFLX)가 827억 달러 규모로 워너브러더스 디스커버리(NASDAQ:WBD)를 인수..."
78
+ Netflix,2025-12-07,16:28,"A Quick Look at Today's Ratings for Netflix(NFLX.US), With a Forecast Between $92 to $150
79
+ OnDec 06, major Wall Street analysts update their ratings for $Netflix(NFLX.US)$, with price targets ranging from $92 to $150."
80
+ Netflix,2025-12-07,16:28,"Netflix's Empire Keeps Growing - Here's Why I'm Bullish (NASDAQ:NFLX)
81
+ Discover why Netflix's $72B Warner Bros Discovery deal could boost growth, savings, and subscriber value."
82
+ Netflix,2025-12-07,16:28,"Netflix stock (NFLX) falls 5% despite stellar earnings - what's behind the move?
83
+ Netflix stock today: Netflix shares experienced a decline despite reporting robust third-quarter earnings and raising full-year guidance."
84
+ Netflix,2025-12-07,16:28,"How to Buy Netflix Stock (NFLX)
85
+ Here's a step-by-step guide on how to buy shares of Netflix, as well as some information to help determine if Netflix stock is a good investment."
86
+ Netflix,2025-12-07,16:28,"(NFLX) Price Dynamics and Execution-Aware Positioning
87
+ Key findings for Netflix Inc. (NASDAQ: NFLX). Weak Near and Mid-Term Sentiment Could Challenge Long-Term Positive Outlook; No clear price positioning signal..."
88
+ Netflix,2025-12-07,16:28,"Netflix Doubled Your Money in 12 Months After Years of Lagging the Market
89
+ Netflix (NASDAQ: NFLX) went from mailing DVDs in red envelopes to dominating global streaming. That transformation created one of the most compelling..."
90
+ Netflix,2025-12-08,11:28,"트럼프, 넷플릭스-워너 합병에 “내가 관여할 것”···테드 서랜도스의 ‘전설적인 업적’ 칭찬
91
+ 일요일(7일) 도널드 트럼프 대통령은 넷플릭스(NASDAQ:NFLX)의 워너브러더스 디스커버리(NASDAQ:WBD) 인수에 대한 연방 정부의 검토에 직접 관여할 의사를 밝혔다."
92
+ Netflix,2025-12-08,11:28,"트럼프 ""넷플릭스의 WBD 인수 문제될 수 있어""…심사에 관여
93
+ 한눈에 보는 오늘 : 경제 - 뉴스 : [서울=뉴스핌] 오상용 기자 = 도널드 트럼프 미국 대통령은 현지시간 7일 넷플릭스(종목코드: NFLX)의 워너 브라더스..."
94
+ Netflix,2025-12-08,14:28,"Diet Report - Media & Entertainment - Netflix-WBD deal: global entertainment reset
95
+ Authored by Karan Taurani. Netflix's (NFLX US) lure for Warner Bros Discovery's (WBD US) premium content outbids Paramount and Comcast in a USD 83bn deal."
96
+ Netflix,2025-12-08,03:28,"Netflix Stock Up 13%. Why $82.7 Billion $WBD Buy Makes $NFLX A Sell
97
+ Netflix's $82.7 billion deal to buy parts of Warner Brothers Discovery could sink $NFLX by 2030. But shares could pop 125% if Netflix achieves its deal..."
98
+ Netflix,2025-12-08,14:28,"Netflix (NFLX) Acquisition of Warner Bros Sparks Antitrust Conce
99
+ Netflix (NFLX) has agreed to acquire Warner Bros Discovery's (WBD) studio and streaming assets for $72 billion, sparking debates about whether regulators..."
100
+ Netflix,2025-12-08,12:28,"Should You Invest $1,000 in Netflix (NFLX) Right Now?
101
+ Netflix will pay $82.7 billion, including debt, in a combination of cash and stock for the Warner Bros. assets, which values the equity at $72 billion."
102
+ Netflix,2025-12-07,21:28,"4 stocks to watch on Friday: NFLX, VSCO, TRMB, LUV
103
+ Netflix (NFLX) shares were down 3.7% in premarket trade after it said it will acquire Warner Bros. Discovery (WBD), including its film and television..."
104
+ Netflix,2025-12-08,09:28,"Netflix (NFLX) $72B Deal with Warner Bros Discovery Faces Government Review
105
+ Key Takeaways: Netflix's (NFLX) proposed $72 billion acquisition of Warner Bros Discovery assets is under governmental scrutiny. The merger could potenti."
106
+ Netflix,2025-12-08,09:28,"Trump says Netflix-Warner deal will require government review - report
107
+ President Donald Trump said Sunday Netflix's (NFLX) $72B deal for assets from Warner Bros, Discovery (WBD) will need government review, according to..."
108
+ Netflix,2025-12-08,09:28,"Trump: US Govt to Review Netflix Acquisition of Warner Bros. Discovery Deal
109
+ Netflix (NFLX.US) is acquiring certain assets of Warner Bros. Discovery (WBD.US) by way of cash and stock, including its film and TV studios, naming H..."
110
+ Netflix,2025-12-08,11:28,"트럼프, 넷플릭스-워너 합병에 “내가 관여할 것”···테드 서랜도스의 ‘전설적인 업적’ 칭찬
111
+ 일요일(7일) 도널드 트럼프 대통령은 넷플릭스(NASDAQ:NFLX)의 워너브러더스 디스커버리(NASDAQ:WBD) 인수에 대한 연방 정부의 검토에 직접 관여할 의사를 밝혔다."
112
+ Netflix,2025-12-08,11:28,"트럼프 ""넷플릭스의 WBD 인수 문제될 수 있어""…심사에 관여
113
+ 한눈에 보는 오늘 : 경제 - 뉴스 : [서울=뉴스핌] 오상용 기자 = 도널드 트럼프 미국 대통령은 현지시간 7일 넷플릭스(종목코드: NFLX)의 워너 브라더스..."
114
+ Netflix,2025-12-08,14:28,"Diet Report - Media & Entertainment - Netflix-WBD deal: global entertainment reset
115
+ Authored by Karan Taurani. Netflix's (NFLX US) lure for Warner Bros Discovery's (WBD US) premium content outbids Paramount and Comcast in a USD 83bn deal."
116
+ Netflix,2025-12-08,03:28,"Netflix Stock Up 13%. Why $82.7 Billion $WBD Buy Makes $NFLX A Sell
117
+ Netflix's $82.7 billion deal to buy parts of Warner Brothers Discovery could sink $NFLX by 2030. But shares could pop 125% if Netflix achieves its deal..."
118
+ Netflix,2025-12-08,14:28,"Netflix (NFLX) Acquisition of Warner Bros Sparks Antitrust Conce
119
+ Netflix (NFLX) has agreed to acquire Warner Bros Discovery's (WBD) studio and streaming assets for $72 billion, sparking debates about whether regulators..."
120
+ Netflix,2025-12-08,12:28,"Should You Invest $1,000 in Netflix (NFLX) Right Now?
121
+ Netflix will pay $82.7 billion, including debt, in a combination of cash and stock for the Warner Bros. assets, which values the equity at $72 billion."
122
+ Netflix,2025-12-07,21:28,"4 stocks to watch on Friday: NFLX, VSCO, TRMB, LUV
123
+ Netflix (NFLX) shares were down 3.7% in premarket trade after it said it will acquire Warner Bros. Discovery (WBD), including its film and television..."
124
+ Netflix,2025-12-08,09:28,"Netflix (NFLX) $72B Deal with Warner Bros Discovery Faces Government Review
125
+ Key Takeaways: Netflix's (NFLX) proposed $72 billion acquisition of Warner Bros Discovery assets is under governmental scrutiny. The merger could potenti."
126
+ Netflix,2025-12-08,09:28,"Trump says Netflix-Warner deal will require government review - report
127
+ President Donald Trump said Sunday Netflix's (NFLX) $72B deal for assets from Warner Bros, Discovery (WBD) will need government review, according to..."
128
+ Netflix,2025-12-08,09:28,"Trump: US Govt to Review Netflix Acquisition of Warner Bros. Discovery Deal
129
+ Netflix (NFLX.US) is acquiring certain assets of Warner Bros. Discovery (WBD.US) by way of cash and stock, including its film and TV studios, naming H..."
data_stock_news/NVDA.csv ADDED
@@ -0,0 +1,141 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ Name,date,time,news
2
+ NVIDIA,2025-12-03,17:59,""지금은 엔비디아(NVDA.N) 비중 늘리기 좋은 시기"
3
+ [알파경제=김민영 기자] 알파벳이 제미나이3를 공개하면서 호평을 받자 엔비디아(NVDA.N)의 시장 지배력 훼손을 우려하는 분위기다. 그러나 이는 오히려 엔비디아의..."
4
+ NVIDIA,2025-12-02,17:59,"AI 칩의 최신 뉴스 - 아스테라 랩스 개발을 통한 AI 인프라 연결성 확장
5
+ 는 점점 더 복잡해지는 차세대 AI 인프라를 지원하기 위해 맞춤형 제품에 중점을 둔 연결 솔루션을 확장한다고 발표했습니다. 아스테라 랩스는 엔비디아의 NV링크 퓨전..."
6
+ NVIDIA,2025-12-03,17:59,"[TODAY엔비디아] 손정의 ""AI 투자 목적 아니면 엔비디아 지분매각 안했을 것""
7
+ 손정의 소프트뱅크 회장이 최근 엔비디아(NVDA) 지분을 전량 매각한데 대해 AI 투자를 위한 자금 마련이 아니었으면 팔지 않았을 것이라고 밝혔다.2일(현지시간) CNBC..."
8
+ NVIDIA,2025-12-03,17:59,"Nvidia-backed $4B AI Startup Expands to London, NVDA Shares Jump 2.3% on Nasdaq
9
+ Nvidia backing of a $4 billion AI startup that is now expanding to London reinforces the company's global strategy."
10
+ NVIDIA,2025-12-03,17:59,"AWS Integrates AI Infrastructure with NVIDIA NVLink Fusion for Trainium4 Deployment | NVIDIA Technical Blog
11
+ As demand for AI continues to grow, hyperscalers are looking for ways to accelerate deployment of specialized AI infrastructure with the highest..."
12
+ NVIDIA,2025-12-03,17:59,"Nvidia (NVDA): Has the Recent 12% Pullback Opened a Valuation Opportunity?
13
+ Nvidia (NVDA) has cooled off after a strong multi year run, with the stock down about 12% over the past month even as its three year total return still tops..."
14
+ NVIDIA,2025-12-03,17:59,"Nvidia (NVDA) Stock Trades Up, Here Is Why
15
+ Shares of leading designer of graphics chips Nvidia (NASDAQ:NVDA) jumped 2.6% in the morning session after the company announced a $2 billion investment in..."
16
+ NVIDIA,2025-12-03,17:59,"Nvidia Invests $2 Billion in Synopsys -- Should You Buy NVDA Stock Now?
17
+ This article first appeared on GuruFocus. Nvidia (NASDAQ:NVDA) took a $2 billion stake in Synopsys (NASDAQ:SNPS) and unveiled an expanded partnership to..."
18
+ NVIDIA,2025-12-03,17:59,"NVDA: AI-driven infrastructure growth, platform innovation, and strategic investments fuel robust outlook
19
+ Accelerated computing is driving a multi-trillion dollar shift in data center infrastructure, with strong demand for both new and legacy platforms."
20
+ NVIDIA,2025-12-03,17:59,"Why Morgan Stanley just got more bullish on Nvidia stock, even as it struggles
21
+ Morgan Stanley analysts said Nvidia will maintain its position as the AI hardware king, raising their 12-month price target for the stock."
22
+ NVIDIA,2025-12-04,17:59,"엔비디아(NVDA.O), 中 AI 모델까지 10배 가속…경쟁사 대비 우위 재확인
23
+ 엔비디아. (사진=연합뉴스) [알파경제=(시카고) 김지선 특파원] 엔비디아가 최신 AI 서 ..."
24
+ NVIDIA,2025-12-04,17:59,"AI 칩의 최신 뉴스 - 아스테라 랩스 개발을 통한 AI 인프라 연결성 확장
25
+ 는 점점 더 복잡해지는 차세대 AI 인프라를 지원하기 위해 맞춤형 제품에 중점을 둔 연결 솔루션을 확장한다고 발표했습니다. 아스테라 랩스는 엔비디아의 NV링크 퓨전..."
26
+ NVIDIA,2025-12-04,17:59,"Nvidia (NASDAQ: NVDA) Stock Price Prediction for 2025: Where Will It Be in 1 Year (Dec 3)
27
+ Nvidia (NASDAQ: NVDA) Stock Price Prediction for 2025: Where Will It Be in 1 Year (Dec 3) ... Shares of Nvidia Corp. (NASDAQ: NVDA) have risen 2.0% in the past..."
28
+ NVIDIA,2025-12-04,17:59,"Trump praises Nvidia CEO Jensen Huang after discussion about export controls
29
+ WASHINGTON, Dec 3 (Reuters) - U.S. President Donald Trump said on Wednesday he had visited with Nvidia's (NVDA.O) , opens new tab CEO Jensen Huang and said..."
30
+ NVIDIA,2025-12-04,17:59,"How to Buy Nvidia Stock (NVDA): Step-by-Step
31
+ How to buy Nvidia stock · Open a brokerage account: Choose a trusted, easy-to-use platform and complete the quick application. · Fund your account: Transfer..."
32
+ NVIDIA,2025-12-04,17:59,"Nvidia secures victory after Congress shoots down chip export curbs - report (NVDA:NASDAQ)
33
+ Nvidia (NVDA) is on the verge of securing a massive lobbying win after U.S. lawmakers kept a measure out of must-pass defense legislation that would have..."
34
+ NVIDIA,2025-12-04,17:59,"Is Nvidia (NVDA) a Buy as Wall Street Analysts Look Optimistic?
35
+ The recommendations of Wall Street analysts are often relied on by investors when deciding whether to buy, sell, or hold a stock. Media reports about these..."
36
+ NVIDIA,2025-12-04,17:59,"Stock Market Today - Wall Street Steadies: S&P 500 at 6,831, Nasdaq 23,383 as MSFT, NVDA, AAPL, MRVL React to Fed Cut Hopes
37
+ Trading News U.S. stocks trade mixed — S&P 500 (SPX) 6831.83, Nasdaq (IXIC) 23383.59, Dow (DJIA) 47584.63 — after ADP reports a 32000 job loss. Traders..."
38
+ NVIDIA,2025-12-04,17:59,"NVIDIA Corporation | History, GPUs, & Artificial Intelligence
39
+ NVIDIA Corporation (NVDA) is an American semiconductor company and a leading global manufacturer of high-end..."
40
+ NVIDIA,2025-12-04,17:59,"When the AI Hype Meets Gravity: Nvidia’s Next Big Test
41
+ After a historic rally to new all-time highs, shares of NVIDIA Corporation (Ticker: NVDA) have begun to cool off in recent weeks."
42
+ NVIDIA,2025-12-05,17:59,"엔비디아의 20억 달러 규모의 시놉시스 베팅과 심도 있는 AI 통합이 엔비디아(NVDA) 투자자에게 미치는 영향
43
+ 이달 초, NVIDIA와 Synopsys는 협업을 확대하여 NVIDIA가 20억 달러 규모의 지분 투자를 통해 여러 산업 분야의 Synopsys 엔지니어링, 시뮬레이션 및 검증 소프트웨어..."
44
+ NVIDIA,2025-12-05,17:59,"브룩 씨웰, Nvidia 이사, NVDA 주식 230만 달러 매도 By Investing.com
45
+ Investing.com — Nvidia (NASDAQ:NVDA) 이사인 씨웰 A. 브룩은 2025년 12월 2일 보통주 12,728주를 매도했다고 보고했습니다. 주식은 가중평균 가격 183.9344달러에..."
46
+ NVIDIA,2025-12-05,17:59,"엔비디아 CEO 젠슨황의 조 로건 인터뷰 총정리: 12월 NVDA 주가 전망
47
+ 엔비디아(NVDIA) CEO 젠슨황이 조 로건 팟캐스트에서 밝힌 AI 산업과 에너지 정책의 관계, 중국과의 AI 경쟁 구도, 그리고 모건스탠리의 NVDA 주가 전망 상향 조정까지..."
48
+ NVIDIA,2025-12-05,17:59,"보유현금만 606억 달러…""6000억 달러까지 늘 것""
49
+ [이데일리 이주영 기자] 엔비디아(NVDA)가 최근 시놉시스(SNPS) 지분 20억 달러 인수를 발표한 가운데, 606억 달러의 현금 및 단기 투자금을 보유하고 있는 것으로..."
50
+ NVIDIA,2025-12-05,17:59,"엔비디아, 목요일 주가 2% 이상 오른 이유는?
51
+ 엔비디아(NASDAQ:NVDA) 주가는 목요일(4일) 상승 마감했다. 투자자들은 칩 제조사인 엔비디아의 중국 사업에 대한 워싱턴의 새로운 감시와 여전히 견고한 인공지능(AI)..."
52
+ NVIDIA,2025-12-05,17:59,"엔비디아, 美 상원의 中 수출 30개월 차단 법안 발의 추진에도 1% 상승
53
+ 미국 상원의 초당파 의원들이 엔비디아(NVDA)의 최첨단 칩이 중국에 판매되는 것을 30개월 동안 차단하는 법안을 4일(현지시간) 발의할 예정이라고 파이낸셜타임스(FT)..."
54
+ NVIDIA,2025-12-05,17:59,"NVIDIA Corporation (NVDA) Price Target Raised as Analysts Reaffirm Buy Amid AI Market Growth
55
+ NVIDIA Corporation (NASDAQ:NVDA) is one of the best augmented reality stocks to buy right now. On November 25, Bank of America reiterated a positive outlook..."
56
+ NVIDIA,2025-12-05,17:59,"Simplify GPU Programming with NVIDIA CUDA Tile in Python | NVIDIA Technical Blog
57
+ The release of NVIDIA CUDA 13.1 introduces tile-based programming for GPUs, making it one of the most fundamental additions to GPU programming since CUDA..."
58
+ NVIDIA,2025-12-05,17:59,"Here are NVIDIA Corporation’s (NVDA) Growth Drivers
59
+ Brown Advisory, an investment management company, released its “Brown Advisory Large-Cap Growth Strategy” third-quarter 2025 investor letter."
60
+ NVIDIA,2025-12-05,17:59,"NVDA Wave Analysis – 4 December 2025
61
+ NVDA: ⬆️ Buy - NVDA reversed from support zone - Likely to rise to resistance level 194.30 NVDA recently reversed with the..."
62
+ NVIDIA,2025-12-06,17:59,"AI 칩의 최신 뉴스 - 실리콘 카바이드, AI 인프라 혁명의 효율성을 높이다
63
+ 코히어런트는 AI 기반 데이터센터 인프라의 증가하는 열 효율 요구 사항을 충족하기 위해 첨단 300mm 실리콘 카바이드 플랫폼을 출시했습니다."
64
+ NVIDIA,2025-12-06,17:59,"""지금은 엔비디아(NVDA.N) 비중 늘리기 좋은 시기""
65
+ (사진=연합뉴스) [알파경제=김민영 기자] 알파벳이 제미나이3를 공개하면서 호평을 받자 엔비디아(NVDA.N)의 시장 지배력 훼손을 우려하는 분위기다."
66
+ NVIDIA,2025-12-06,17:59,"[美특징주]'중국판 엔비디아' 무어스레드 폭등했는데…엔비디아 약세
67
+ 엔비디아(NVDA) 주가가 하락 중이다. 중국판 엔비디아로 불리는 무어스레드(Moore Threads)가 중국 증시 상장과 함께 폭등한 것과 대조적인 흐름이다."
68
+ NVIDIA,2025-12-06,17:59,"[TODAY엔비디아]'엔비디아 파트너' 폭스콘, 11월 매출 26%↑
69
+ 엔비디아(NVDA)의 핵심 파트너사인 폭스콘의 11월 매출이 전년 동기 대비 26% 급증하며 인공지능(AI) 붐 속 서버 수요 증가를 기반으로 강력한 성장세를 입증했다.5..."
70
+ NVIDIA,2025-12-06,17:59,"NVDA - NVIDIA Corp Stock Price and Quote
71
+ NVIDIA Corp · 11:40PM, Upgrade to FINVIZ*Elite to get real-time quotes, intraday charts, and advanced charting tools. · 01:25PM, Upgrade to FINVIZ*Elite to get..."
72
+ NVIDIA,2025-12-06,17:59,"Nvidia (NASDAQ: NVDA) Bull, Base, & Bear Price Prediction and Forecast (Dec 5)
73
+ Nvidia (NASDAQ: NVDA) Bull, Base, & Bear Price Prediction and Forecast (Dec 5) ... The trade war with China was tough on Nvidia Corp. (NASDAQ: NVDA) investors. In..."
74
+ NVIDIA,2025-12-06,17:59,"NVIDIA Stock Price Forecast - NVDA Stock Targets $300 as Data Center Revenue Surges 62% YoY
75
+ View Real-Time Chart NVIDIA Corporation (NASDAQ:NVDA) continues to dominate the global semiconductor landscape, setting the pace for AI hardware and..."
76
+ NVIDIA,2025-12-06,17:59,"Here are Friday's biggest analyst calls: Nvidia, Apple, CoreWeave, Broadcom, Alphabet, Netflix, & more
77
+ Here are the biggest calls on Wall Street on Friday."
78
+ NVIDIA,2025-12-06,17:59,"Nvidia: The TPU Risks Look Heavily Overblown
79
+ Nvidia leads general-purpose AI with integrated racks, strong margins, and 38× forward earnings, offering nearly 50% upside. Learn why NVDA stock is a buy."
80
+ NVIDIA,2025-12-06,17:59,"Nvidia Wavers Amid Hot China AI Chip IPO; Is Nvidia A Buy Or Sell Now?
81
+ Nvidia (NVDA) stock wavered Friday amid a strong initial public offering by an artificial intelligence chip company in China. Nvidia crushed third-quarter..."
82
+ NVIDIA,2025-12-07,17:59,"3년간 974% 급등했던 엔비디아의 AI 칩 점유율은 여전히 매력적일까요?
83
+ NVIDIA가 괴물 주가 이후에도 여전히 매수할 가치가 있는지, 아니면 진정한 상승 여력이 이미 가격에 반영된 것인지 궁금하신가요? 잘 찾아오셨습니다."
84
+ NVIDIA,2025-12-07,17:59,"NVDA Stock Quote Price and Forecast
85
+ NVIDIA Corporation ... NVDA is trading near the top of its 52-week range and above its 200-day simple moving average. Price change. The price of NVDA shares has..."
86
+ NVIDIA,2025-12-07,17:59,"Analysts Stick With NVIDIA (NVDA) as AI Momentum Drives Long-Term Value
87
+ NVIDIA Corporation (NASDAQ:NVDA) is one of the AI Stocks Analysts are Tracking Closely. On December 3rd, Bank of America reiterated the stock as “Buy,”..."
88
+ NVIDIA,2025-12-07,17:59,"NVIDIA Stock (NVDA) Opinions on AI Partnerships and Export Policies
89
+ Multiple analysts have issued price targets for $NVDA recently. We have seen 34 analysts offer price targets for $NVDA in the last 6 months, with a median..."
90
+ NVIDIA,2025-12-07,17:59,"Tidal Trust Ii Stkd 100 Smci 100 Nvda Etf Stock Analysis and Forecast - Capital Gains Strategies & Free Trading Psychology Sessions
91
+ Tidal Trust Ii Stkd 100 Smci 100 Nvda Etf Stock Analysis and Forecast ✌️【Stock Analysis】✌️ Find winning stocks fast with free real-time market data and..."
92
+ NVIDIA,2025-12-07,17:59,"Key facts: Alphabet's AI chips challenge Nvidia; positive signals for Nvidia
93
+ Alphabet's new AI chips may challenge Nvidia's dominance in AI chip tech, intensifying competition among major tech firms.1; Vendors have reported positive..."
94
+ NVIDIA,2025-12-07,17:59,"Wealth Alliance LLC Buys 4,734 Shares of NVIDIA Corporation $NVDA
95
+ Wealth Alliance LLC lifted its stake in shares of NVIDIA Corporation (NASDAQ:NVDA - Free Report) by 7.2% during the second quarter, according to its most..."
96
+ NVIDIA,2025-12-07,17:59,"Is Trending Stock NVIDIA Corporation (NVDA) a Buy Now?
97
+ Nvidia (NVDA) is one of the stocks most watched by Zacks.com visitors lately. So, it might be a good idea to review some of the factors that might affect..."
98
+ NVIDIA,2025-12-07,17:59,"Avoiding Lag: Real-Time Signals in (NVDA) Movement
99
+ Price-action only: Nvidia Corporation (NVDA) movements set the tone for institutional models. Avoiding Lag: Real-Time Signals in (NVDA) Movement."
100
+ NVIDIA,2025-12-07,17:59,"What Is One of the Best Tech Stocks to Hold for the Next 10 Years?
101
+ Nvidia (NVDA 0.53%) has been one of the top-performing tech stocks in recent years. The shares have increased by 22,000% over the last 10 years, 1,230% in..."
102
+ NVIDIA,2025-12-08,12:00,"골드만삭스, 엔비디아 등에 ""상승 여력…최적의 위치""
103
+ 7일(현지시간) CNBC에 따르면 은행은 연말을 앞두고 매수하기에 최적의 위치에 있는 기업으로 엔비디아와 윈 리조트(NAS:WYNN) 등을 꼽으며 이같이 설명했다."
104
+ NVIDIA,2025-12-08,15:00,"Nvidia Corp.’s (NVDA) Long-Term Revenue Opportunity Remains Intact, Per Morgan Stanley
105
+ Nvidia Corporation (NASDAQ:NVDA) is among the best stocks you'll wish you bought sooner. On Thursday, December 4, Reuters reported that a group of U.S...."
106
+ NVIDIA,2025-12-08,15:00,"Nvidia Corp.’s (NVDA) Long-Term Revenue Opportunity Remains Intact, Per Morgan Stanley
107
+ Nvidia Corporation (NASDAQ:NVDA) is among the best stocks you'll wish you bought sooner. On Thursday, December 4, Reuters reported that a group of U.S...."
108
+ NVIDIA,2025-12-08,11:00,"Yardeni turns less bullish on Magnificent Seven as growth moderates (NVDA:NASDAQ)
109
+ Yardeni Research is advising investors to dial back their exposure to the so-called Magnificent Seven technology giants relative to the broader S&P 500..."
110
+ NVIDIA,2025-12-08,12:00,"Why this is a must-watch in Nvidia's earnings report [Video]
111
+ Nvidia's (NVDA) upcoming earnings day may boil down to one key question: Will China be part of its outlook? ""If NVDA were to include China in its guidance,..."
112
+ NVIDIA,2025-12-08,15:00,"Jim Cramer says “companies are making billions of dollars when they buy” NVIDIA semis
113
+ NVIDIA Corporation (NASDAQ:NVDA) is one of the stocks Jim Cramer discussed, along with the tech battleground. Cramer reiterated his “own this stock,..."
114
+ NVIDIA,2025-12-08,16:00,"Got $5,000? 5 Top Growth Stocks to Buy That Could Double Your Money.
115
+ Detailed price information for Nvidia Corp (NVDA-Q) from The Globe and Mail including charting and trades."
116
+ NVIDIA,2025-12-08,00:00,"Prediction: Nvidia Stock Is Going to Soar Past $300 in 2026
117
+ Nvidia's (NVDA 0.53%) graphics processing units (GPUs) for data centers are the gold standard for developing artificial intelligence (AI) models."
118
+ NVIDIA,2025-12-07,19:00,"Rothschild Investment LLC Has $68.50 Million Holdings in NVIDIA Corporation $NVDA
119
+ Rothschild Investment LLC cut its holdings in NVIDIA Corporation (NASDAQ:NVDA - Free Report) by 3.5% in the second quarter, according to the company in its..."
120
+ NVIDIA,2025-12-08,09:00,"Nvidia CEO Huang Becomes 9th Richest in the World
121
+ Nvidia Corp. (NASDAQ: NVDA) CEO Jensen Huang has steadily moved up the Bloomberg Billionaires list as the stock of the company he runs has risen."
122
+ NVIDIA,2025-12-08,12:00,"골드만삭스, 엔비디아 등에 ""상승 여력…최적의 위치""
123
+ 7일(현지시간) CNBC에 따르면 은행은 연말을 앞두고 매수하기에 최적의 위치에 있는 기업으로 엔비디아와 윈 리조트(NAS:WYNN) 등을 꼽으며 이같이 설명했다."
124
+ NVIDIA,2025-12-08,15:00,"Nvidia Corp.’s (NVDA) Long-Term Revenue Opportunity Remains Intact, Per Morgan Stanley
125
+ Nvidia Corporation (NASDAQ:NVDA) is among the best stocks you'll wish you bought sooner. On Thursday, December 4, Reuters reported that a group of U.S...."
126
+ NVIDIA,2025-12-08,15:00,"Nvidia Corp.’s (NVDA) Long-Term Revenue Opportunity Remains Intact, Per Morgan Stanley
127
+ Nvidia Corporation (NASDAQ:NVDA) is among the best stocks you'll wish you bought sooner. On Thursday, December 4, Reuters reported that a group of U.S...."
128
+ NVIDIA,2025-12-08,17:48,"NVIDIA Corporation $NVDA Position Increased by Empowered Funds LLC
129
+ Empowered Funds LLC grew its stake in NVIDIA Corporation (NASDAQ:NVDA - Free Report) by 29.9% in the second quarter, according to the company in its most..."
130
+ NVIDIA,2025-12-08,11:00,"Yardeni turns less bullish on Magnificent Seven as growth moderates (NVDA:NASDAQ)
131
+ Yardeni Research is advising investors to dial back their exposure to the so-called Magnificent Seven technology giants relative to the broader S&P 500..."
132
+ NVIDIA,2025-12-08,12:00,"Why this is a must-watch in Nvidia's earnings report [Video]
133
+ Nvidia's (NVDA) upcoming earnings day may boil down to one key question: Will China be part of its outlook? ""If NVDA were to include China in its guidance,..."
134
+ NVIDIA,2025-12-08,15:00,"Jim Cramer says “companies are making billions of dollars when they buy” NVIDIA semis
135
+ NVIDIA Corporation (NASDAQ:NVDA) is one of the stocks Jim Cramer discussed, along with the tech battleground. Cramer reiterated his “own this stock,..."
136
+ NVIDIA,2025-12-08,16:00,"Got $5,000? 5 Top Growth Stocks to Buy That Could Double Your Money.
137
+ Detailed price information for Nvidia Corp (NVDA-Q) from The Globe and Mail including charting and trades."
138
+ NVIDIA,2025-12-08,00:00,"Prediction: Nvidia Stock Is Going to Soar Past $300 in 2026
139
+ Nvidia's (NVDA 0.53%) graphics processing units (GPUs) for data centers are the gold standard for developing artificial intelligence (AI) models."
140
+ NVIDIA,2025-12-08,17:48,"NVIDIA Corporation $NVDA Stock Position Cut by Dorsey & Whitney Trust CO LLC
141
+ Dorsey & Whitney Trust CO LLC lessened its holdings in shares of NVIDIA Corporation (NASDAQ:NVDA - Free Report) by 0.7% during the 2nd quarter, according to..."
data_stock_news/TSLA.csv ADDED
@@ -0,0 +1,141 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ Name,date,time,news
2
+ Tesla,2025-12-03,16:27,"마이클 버리, 테슬라 밸류에이션에 회의적이지만 공매도는 안 해
3
+ 영화 “빅쇼트”로 유명한 투자자 마이클 버리가 다시 한 번 자신의 포트폴리오와 시장 포지션에 대해 언론을 정정했다. 화요일(2일) 아침, 마이클 버리는 최근 서브스택..."
4
+ Tesla,2025-12-03,16:27,"Nasdaq 100 Grinds Higher, AMZN, AMD, TSLA Show Reversal Risks
5
+ The Nasdaq 100 pushes toward record highs, but Amazon, AMD and Tesla are flashing early reversal signals traders shouldn't ignore."
6
+ Tesla,2025-12-03,16:27,"Michael Burry calls Tesla 'ridiculously overvalued' and knocks tech industry for a widely used practice
7
+ ""The Big Short"" investor Michael Burry questioned Tesla's valuation in a weekend blog post. The post is critical of Tesla and the technology industry as a..."
8
+ Tesla,2025-12-03,16:27,"Tesla Stock Price Forecast: Bulls Target $600, Michael Burry’s Tesla Short Warns of Collapse From $430
9
+ Tesla Inc. (NASDAQ:TSLA) trades near $431.77 on December 2, 2025, with a market capitalization of $1.35 trillion, maintaining its place as one of the..."
10
+ Tesla,2025-12-03,16:27,"The Tesla Europe Sales Rout Keeps Going. Is It Time to Sell TSLA Stock?
11
+ Electric vehicle (EV) industry leader Tesla (TSLA) faces weakening demand for its vehicles in Europe, as its November registrations fell significantly from..."
12
+ Tesla,2025-12-03,16:27,"Tesla Unusual Options Activity For December 02
13
+ Investors with a lot of money to spend have taken a bearish stance on Tesla (NASDAQ:TSLA). And retail traders should know. We noticed this today when the..."
14
+ Tesla,2025-12-03,16:27,"Tesla Registrations in November Plunge Across Key European Markets
15
+ Tesla's TSLA vehicle registrations in France and Denmark fell sharply in November. The registrations dropped by about half compared to last year,..."
16
+ Tesla,2025-12-03,16:27,"BNP Paribas Issues Positive Forecast for Tesla (NASDAQ:TSLA) Stock Price
17
+ Tesla (NASDAQ:TSLA - Get Free Report) had its target price increased by equities research analysts at BNP Paribas from $307.00 to $313.00 in a research note..."
18
+ Tesla,2025-12-03,16:27,"Tesla (TSLA) Stock: The Big Short Investor Just Bet Against Elon Musk
19
+ Tesla stock faces short from Michael Burry who warns of overvaluation at 200x earnings and 3.6% annual dilution from stock compensation with no buybacks."
20
+ Tesla,2025-12-03,16:27,"Elon Musk Says These Mag 7 Stocks Not Named Tesla Are Set To Dominate
21
+ Tesla (TSLA) CEO Elon Musk in a Sunday podcast broadly outlined his investing strategy, noted which companies he'd invest in if he was to buy stock and..."
22
+ Tesla,2025-12-04,16:27,"전기 자동차의 최신 뉴스 - 중국 브랜드의 부상으로 인한 테슬라의 유럽 내 하락세
23
+ 에스컬런트의 연구에 따르면 한때 전기 자동차 시장에서 혁신의 신호탄이었던 Tesla는 유럽 신차 구매자들 사이에서 브랜드 매력이 감소하고 있는 것으로 알려졌습니다..."
24
+ Tesla,2025-12-04,16:27,"[美특징주]테슬라, 경쟁 격화·마진 부담 속 반발 매수 유입…주가 상승 전환
25
+ 글로벌 전기차 기업 테슬라(TSLA)가 마진 압박과 경쟁 심화 우려에도 반발 매수세가 들어오며 상승 흐름을 되찾고 있다.2일(현지시간) 오전11시50분 테슬라 주가는..."
26
+ Tesla,2025-12-04,16:27,"게리 블랙, FSD 개선 및 로보택시 확장 속 테슬라의 주요 촉매제 제시
27
+ 투자자 게리 블랙은 테슬라(NASDAQ:TSLA)의 로보택시 촉매제가 차량 내 안전 운전사 제거가 될 것이라고 전망했다."
28
+ Tesla,2025-12-04,16:27,"Tesla (TSLA): TD Cowen Reiterates Buy, Sets $509 Price Target After RoboTaxi Tests
29
+ Tesla, Inc. (NASDAQ:TSLA) is one of the Buzzing AI Stocks on Wall Street. On December 1st, TD Cowen analyst Itay Michaeli reiterated a “Buy” rating on the..."
30
+ Tesla,2025-12-04,16:27,"Tesla (TSLA) sales keep crashing in Europe with a single market temporarily saving it
31
+ Tesla's registration numbers for November 2025 are starting to roll in for European markets, and they paint a stark picture: demand is still collapsing in..."
32
+ Tesla,2025-12-04,16:27,"Gary Black Outlines Major Catalyst For Tesla Amid FSD Improvements, Robotaxi Expansion: 'Close To Achieving Unsupervised...'
33
+ Investor Gary Black, managing director at The Future Fund LLC, thinks the catalyst for Tesla Inc.'s (NASDAQ:TSLA) Robotaxi would be the removal of the..."
34
+ Tesla,2025-12-04,16:27,"Tesla Stock Breaks Out on US Robotics Support, China Shipments, TSLA Eyes the Highs Again
35
+ Strong operational advancements and encouraging changes in U.S. robotics regulations support Tesla's objectives for autonomous driving, as seen by its..."
36
+ Tesla,2025-12-04,16:27,"Michael Burry Says Tesla Is ‘Ridiculously Overvalued.’ Should You Ditch TSLA Stock Here?
37
+ Tesla's EV business is weakening, it's behind the competition in the robotaxi race, and its robots may very well disappoint investors. Therefore, TSLA stock..."
38
+ Tesla,2025-12-04,16:27,"Tesla (TSLA) Stock: November China Shipments Rise 10% Amid Intensifying EV Competition
39
+ Tesla stock rose slightly 0.21% as November China shipments grew 10%, facing intensifying competition and pricing pressures."
40
+ Tesla,2025-12-04,16:27,"SA analyst upgrades/downgrades: TSLA, ALB, ZIM, EXPE
41
+ Expedia (EXPE) has seen an upgrade, with analysts optimistic about its growth prospects relative to peers. In the technology sphere, Tesla (TSLA) has been..."
42
+ Tesla,2025-12-05,16:27,"일론 머스크, 비감독형 FSD에 대한 암시···테슬라 운전하면서 문자 메시지 전송 가능
43
+ 테슬라(NASDAQ:TSLA) 최고경영자(CEO) 일론 머스크가 운전 중 문자 메시지를 보낼 수 있는 비감독형 완전자율주행(FSD) 기능에 대해 다시 한 번 언급했다."
44
+ Tesla,2025-12-05,16:27,"[美특징주]테슬라, 美 컨슈머리포트 '영향력 있는 자동차' 10위
45
+ 테슬라(TSLA)가 컨슈머리포트의 영향력 있는 연례 자동차 브랜드 순위에서 10위를 차지했다.4일(현지시간) 컨슈머리포트에 따르면 테슬라는 30여 개 자동차 중 10위를..."
46
+ Tesla,2025-12-05,16:27,"[美특징주]테슬라 강세… 백악관 로봇 정책 기대감에 옵티머스 모멘텀 강화
47
+ 테슬라(TSLA)가 4일(현지시간) 장중 상승세를 이어가고 있다. 현지시간 오전 11시 40분 기준 테슬라 주가는 0.48% 오른 448.88달러에 거래 중이다."
48
+ Tesla,2025-12-05,16:27,"(TSLA.O) | Stock Price & Latest News
49
+ Company Information. Tesla, Inc. designs, develops, manufactures, sells and leases high-performance fully electric vehicles and energy generation and storage..."
50
+ Tesla,2025-12-05,16:27,"[오전장특징주]테슬라,메타,스노우플레이크
51
+ 테슬라(TSLA)가 4일(현지시간) 장중 상승세를 이어가고 있다. 현지시간 오전 11시 55분 기준 테슬라 주가는 0.58% 오른 449.35달러에 거래 중이다."
52
+ Tesla,2025-12-05,16:27,"Is Tesla (TSLA) Fairly Priced After Recent Volatility? A Closer Look at Its Valuation Narrative
53
+ Tesla (TSLA) has had a choppy few weeks, with the stock slipping about 8% over the past month but still up roughly 27% in the past 3 months."
54
+ Tesla,2025-12-05,16:27,"""美 로봇산업 키운다"" 소식에…서학개미 고수들, 테슬라 매수
55
+ ... ※한경 마켓PRO 텔레그램을 구독하시면 프리미엄 투자 콘텐츠를 보다 편리하게 볼 수 있습니다. 텔레그램에서 '마켓PRO'를 검색하면 가입할 수 있습니다."
56
+ Tesla,2025-12-05,16:27,"Tesla Stock: Bullish Bet On Price Gain Could Return 40% In Weeks
57
+ Tesla (TSLA) stock rallied strongly on Wednesday, up 4.1% in higher volume. Traders looking for a way to play Tesla stock using options could use a bull put..."
58
+ Tesla,2025-12-05,16:27,"Tesla (TSLA) Stock: Gains 4% on Trump Administration Robotics Push
59
+ Tesla stock rises 4% on Trump administration robotics push. Commerce Secretary meets CEOs, executive order planned. China sales jump 9.9% in November."
60
+ Tesla,2025-12-05,16:27,"How to Buy Tesla Stock (TSLA): Your Complete Guide
61
+ How to buy Tesla stock (TSLA) · Open your brokerage app: Log in to your brokerage account where you handle your investments. · Fund your account: Transfer money..."
62
+ Tesla,2025-12-06,16:27,"오늘날의 전기 자동차 - 안드레티 합병 발표로 스토어닷의 XFC 기술력 강화
63
+ 전기 자동차 산업의 중요한 발전으로, 극고속 충전(XFC) 배터리 기술의 선두주자인 StoreDot Ltd.와 특수 목적 인수 회사인 Andretti Acquisition Corp."
64
+ Tesla,2025-12-06,16:27,"[美특징주]테슬라, 유럽에 저가형 모델3 출시… 판매 부진 타개할까
65
+ 테슬라(TSLA)가 4일(현지시간) 유럽 시장에 모델3의 저가형 트림 '모델 3 스탠다드'를 출시하며 시장 공략에 나섰다. 그러나 중국과 유럽 경쟁사들과의 격화된 경쟁 속..."
66
+ Tesla,2025-12-06,16:27,"Tesla, Inc. (TSLA): A Bull Case Theory
67
+ We came across a bullish thesis on Tesla, Inc. on Compounding Your Wealth's Substack by Sergey. In this article, we will summarize the bulls' thesis on TSLA..."
68
+ Tesla,2025-12-06,16:27,"Tesla Is Losing: Why This Time Is Different (Rating Downgrade) (TSLA)
69
+ Tesla, Inc. (TSLA) stock has continued to remain volatile over the last few weeks and months as a struggling consumer vehicle business weighs on operating..."
70
+ Tesla,2025-12-06,16:27,"TSLA Stock: Tesla Robot Business Could Hit $400 Billion, Say Analysts
71
+ Tesla shares rose 1.7% to $454.48 on Thursday, extending a rally fueled by enthusiasm for its robotics program. The company's Optimus humanoid robot is now."
72
+ Tesla,2025-12-06,16:27,"Tesla (TSLA) Stock: UK Registrations Fall Amid Rising Competition from BYD
73
+ Tesla UK car sales fell 19% in November amid rising competition from BYD, while Tesla stock rose 1.74% as investors remain confident."
74
+ Tesla,2025-12-06,16:27,"Tesla (TSLA) Stock: The $400 Billion Robot Business Wall Street Is Betting On
75
+ Tesla (TSLA) stock rises to $454.48 as analysts project $400B in Optimus robot revenue by 2050. New budget Model 3 launches in Europe at €37970."
76
+ Tesla,2025-12-06,16:27,"Unusual Options Activity: TSLA, AA and Others Attract Market Bets, TSLA V/OI Ratio Reaches 289.9
77
+ ESTDec 5th Morning Delivery - In the last two hours of trading, 10 options with a high V/OI ratio were detected. With the market volatile, it's crucial to..."
78
+ Tesla,2025-12-06,16:27,"“Do Not Listen to the Billionaire CEO…”: Tesla Stock (NASDAQ:TSLA) Slips Down as Musk Insists You Can Text and Drive in a Tesla
79
+ In most places, texting and driving is illegal. Even in the places where it is not, it is still pretty dangerous. But electric vehicle giant Tesla ($TSLA),..."
80
+ Tesla,2025-12-06,16:27,"Piper Sandler Reiterates $500 Price Target on Tesla (TSLA) After FSD v14 Demo
81
+ Tesla, Inc. (NASDAQ:TSLA) is one of the Must-Watch AI Stocks on Wall Street. On November 20, Piper Sandler reiterated its Overweight rating on the stock..."
82
+ Tesla,2025-12-07,16:27,"테슬라(TSLA)의 로봇과 AI 피벗이 핵심 투자 스토리를 조용히 다시 쓰고 있을까요?
83
+ 2025년 11월 말, 페론 로보틱스는 Tesla와 다른 6개 자동차 제조업체를 상대로 특허 침해 소송을 제기했고, Tesla의 운영, 로봇 공학 야망, 제품 업데이트,..."
84
+ Tesla,2025-12-07,16:27,"Tesla, Inc. Stock (TSLA) Opinions on AI Developments and China Sales
85
+ AI and Robotaxi Hype: Recent chatter on X about Tesla, Inc. (TSLA) has heavily focused on the compan."
86
+ Tesla,2025-12-07,16:27,"Wall Street Closes Week at the Edge of Record Highs as Rate-Cut Bets Ignite Rally Across Indices
87
+ Trading News U.S. stocks extended gains with the S&P 500 at 6870.40 and Nasdaq up 0.31%. Netflix (NFLX) surged after its $72B Warner Bros. deal, Ulta (ULT."
88
+ Tesla,2025-12-07,16:27,"Can Tesla’s (TSLA) Model 3 Standard Win Back Europeans? These Are the Obstacles
89
+ American electric vehicle maker Tesla ($TSLA) on Friday launched a lower-priced standard variant of its popular Model 3 electric sedan in Europe."
90
+ Tesla,2025-12-07,16:27,"Tesla (TSLA) Stock: Rises as Budget Model 3 Launch Boosts European Momentum
91
+ Tesla stock rises as the new budget Model 3 launches in Europe, boosting demand while China and Norway strengthen sales despite regulatory pressure on FSD..."
92
+ Tesla,2025-12-07,16:27,"Great News for Tesla Investors
93
+ Detailed price information for Tesla Inc (TSLA-Q) from The Globe and Mail including charting and trades."
94
+ Tesla,2025-12-07,16:27,"Elon Musk Denies SpaceX Is Raising Money At $800 Billion Valuation, Remains Silent On IPO - Tesla (NASDAQ:TSLA)
95
+ Elon Musk denied reports that SpaceX is raising funds at an $800 billion valuation, citing positive cash flow."
96
+ Tesla,2025-12-07,16:27,"Is Tesla’s (TSLA) Robot and AI Pivot Quietly Rewriting Its Core Investment Story?
97
+ In late November 2025, Perrone Robotics filed patent infringement lawsuits against Tesla and six other automakers, while Tesla's operations,..."
98
+ Tesla,2025-12-07,16:27,"Bernie Sanders Slams Elon Musk's $1 Trillion Tesla Pay Deal: 'Insanity. Billionaire Tax Now' - Tesla (NASDAQ:TSLA)
99
+ Sen. Bernie Sanders (I-VT) called for immediate billionaire taxation on Saturday after criticizing Elon Musk's shareholder-approved $1 trillion compensation..."
100
+ Tesla,2025-12-07,16:27,"Nvidia's Jensen Huang Reveals He Helped Elon Musk Build Model S Computer, FSD Hardware
101
+ Chipmaker Nvidia Corp's (NASDAQ:NVDA) CEO Jensen Huang recalled the company's long-standing collaborations with Tesla Inc. (NASDAQ:TSLA) and CEO Elon Musk."
102
+ Tesla,2025-12-08,07:27,"테슬라(TSLA.O), 유럽서 저가형 ′스탠다드 모델 3·Y′ 출시…판매량 회복할까
103
+ 테슬라. (사진=연합뉴스) [알파경제=(시카고) 김지선 특파원] 테슬라가 판매 부진과 최고 ..."
104
+ Tesla,2025-12-08,14:27,"Stock Analysis: Tesla Inc. (TSLA) Releases Low-Cost Model 3 in Europe
105
+ Detailed price information for Tesla Inc (TSLA-Q) from The Globe and Mail including charting and trades."
106
+ Tesla,2025-12-08,12:27,"Evaluating TSLA Stock's Actual Performance
107
+ Tesla (NASDAQ: TSLA) stock has taken its investors on a wild ride over the last five years. Since November of 2021, shareholders have been treated to huge..."
108
+ Tesla,2025-12-08,13:27,"Tesla Stock Jump Looks Great, But How Secure Is That Gain?
109
+ What's Going On With Tesla? Downturn Resilience: TSLA Performance During Market Crises. Why Stock Pickers Win More With Multi Asset Portfolios."
110
+ Tesla,2025-12-08,11:27,"Tesla Stock (NASDAQ:TSLA) Slides Despite New Camera Upgrade
111
+ The good thing about electric vehicle giant Tesla ($TSLA) is that it is not especially shy about upgrades. And with so many unusual options already..."
112
+ Tesla,2025-12-08,02:27,"Stock Market Today: NASDAQ:IXIC Nears 17,200, S&P 500 (INDEXSP:.INX) at 5,278 —AVGO Stock,TSLA,WMT,GOOGL Leads
113
+ Trading News NASDAQ:IXIC up 0.9%, S&P 500 (INDEXSP:.INX) at 5278, with strong gains in NASDAQ:AVGO, NASDAQ:TSLA, and NYSE:WMT. AI rotation lifts GOOGL Sto."
114
+ Tesla,2025-12-07,22:27,"Tesla (TSLA) Stock: Why European FSD Approval Could Trigger a Major Rally
115
+ Tesla stock analysis: European FSD approval expected February 2026 could unlock growth as only 12% of fleet uses technology. Stock trades at $455,..."
116
+ Tesla,2025-12-08,13:27,"Elon Musk Targets 1 Megaton Per Year For AI Satellites, Touts Satellite Factories On Moon: 'Non-Trivial Progress Towards...'
117
+ SpaceX and Tesla Inc. (NASDAQ:TSLA) CEO Elon Musk has reaffirmed his orbital datacenter goals and highlighted some ambitious targets for his plan."
118
+ Tesla,2025-12-08,15:27,"Tesla Shanghai Gigafactory Rolls Out 4 Millionth Vehicle Today
119
+ The 4 millionth Tesla (TSLA.US) manufactured in mainland China officially rolled out today (8th), which is the Starlight Gold Model Y L, according to ..."
120
+ Tesla,2025-12-08,13:27,"Dow Futures Edge Lower On Pullback Fears: PLTR, SRPT, TSLA, AMD Among Stocks To Watch
121
+ While Dow Jones futures were down by 0.72% at the time of writing, the S&P 500 futures fell 1.02%."
122
+ Tesla,2025-12-08,07:27,"테슬라(TSLA.O), 유럽서 저가형 ′스탠다드 모델 3·Y′ 출시…판매량 회복할까
123
+ 테슬라. (사진=연합뉴스) [알파경제=(시카고) 김지선 특파원] 테슬라가 판매 부진과 최고 ..."
124
+ Tesla,2025-12-08,14:27,"Stock Analysis: Tesla Inc. (TSLA) Releases Low-Cost Model 3 in Europe
125
+ Detailed price information for Tesla Inc (TSLA-Q) from The Globe and Mail including charting and trades."
126
+ Tesla,2025-12-08,12:27,"Evaluating TSLA Stock's Actual Performance
127
+ Tesla (NASDAQ: TSLA) stock has taken its investors on a wild ride over the last five years. Since November of 2021, shareholders have been treated to huge..."
128
+ Tesla,2025-12-08,13:27,"Tesla Stock Jump Looks Great, But How Secure Is That Gain?
129
+ What's Going On With Tesla? Downturn Resilience: TSLA Performance During Market Crises. Why Stock Pickers Win More With Multi Asset Portfolios."
130
+ Tesla,2025-12-08,11:27,"Tesla Stock (NASDAQ:TSLA) Slides Despite New Camera Upgrade
131
+ The good thing about electric vehicle giant Tesla ($TSLA) is that it is not especially shy about upgrades. And with so many unusual options already..."
132
+ Tesla,2025-12-08,02:27,"Stock Market Today: NASDAQ:IXIC Nears 17,200, S&P 500 (INDEXSP:.INX) at 5,278 —AVGO Stock,TSLA,WMT,GOOGL Leads
133
+ Trading News NASDAQ:IXIC up 0.9%, S&P 500 (INDEXSP:.INX) at 5278, with strong gains in NASDAQ:AVGO, NASDAQ:TSLA, and NYSE:WMT. AI rotation lifts GOOGL Sto."
134
+ Tesla,2025-12-07,22:27,"Tesla (TSLA) Stock: Why European FSD Approval Could Trigger a Major Rally
135
+ Tesla stock analysis: European FSD approval expected February 2026 could unlock growth as only 12% of fleet uses technology. Stock trades at $455,..."
136
+ Tesla,2025-12-08,13:27,"Elon Musk Targets 1 Megaton Per Year For AI Satellites, Touts Satellite Factories On Moon: 'Non-Trivial Progress Towards...'
137
+ SpaceX and Tesla Inc. (NASDAQ:TSLA) CEO Elon Musk has reaffirmed his orbital datacenter goals and highlighted some ambitious targets for his plan."
138
+ Tesla,2025-12-08,15:27,"Tesla Shanghai Gigafactory Rolls Out 4 Millionth Vehicle Today
139
+ The 4 millionth Tesla (TSLA.US) manufactured in mainland China officially rolled out today (8th), which is the Starlight Gold Model Y L, according to ..."
140
+ Tesla,2025-12-08,13:27,"Dow Futures Edge Lower On Pullback Fears: PLTR, SRPT, TSLA, AMD Among Stocks To Watch
141
+ While Dow Jones futures were down by 0.72% at the time of writing, the S&P 500 futures fell 1.02%."
data_stock_price/AAPL.csv ADDED
@@ -0,0 +1,22 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ Date,Name,Open,High,Low,Close,Volume
2
+ 2025-11-06,Apple,267.9,273.4,267.9,269.8,51204000
3
+ 2025-11-07,Apple,269.8,272.3,266.8,268.5,48227400
4
+ 2025-11-10,Apple,269.0,273.7,267.5,269.4,41312400
5
+ 2025-11-11,Apple,269.8,275.9,269.8,275.2,46208300
6
+ 2025-11-12,Apple,275.0,275.7,271.7,273.5,48398000
7
+ 2025-11-13,Apple,274.1,276.7,272.1,273.0,49602800
8
+ 2025-11-14,Apple,271.0,276.0,269.6,272.4,47431300
9
+ 2025-11-17,Apple,268.8,270.5,265.7,267.5,45018300
10
+ 2025-11-18,Apple,270.0,270.7,265.3,267.4,45677300
11
+ 2025-11-19,Apple,265.5,272.2,265.5,268.6,40424500
12
+ 2025-11-20,Apple,270.8,275.4,265.9,266.2,45823600
13
+ 2025-11-21,Apple,266.0,273.3,265.7,271.5,59030800
14
+ 2025-11-24,Apple,270.9,277.0,270.9,275.9,65585800
15
+ 2025-11-25,Apple,275.3,280.4,275.2,277.0,46914200
16
+ 2025-11-26,Apple,277.0,279.5,276.6,277.5,33431400
17
+ 2025-11-28,Apple,277.3,279.0,276.0,278.9,20135600
18
+ 2025-12-01,Apple,278.0,283.4,276.1,283.1,46587700
19
+ 2025-12-02,Apple,283.0,287.4,282.6,286.2,53669500
20
+ 2025-12-03,Apple,286.2,288.6,283.3,284.1,43538700
21
+ 2025-12-04,Apple,284.1,284.7,278.6,280.7,43989100
22
+ 2025-12-05,Apple,280.5,281.1,278.0,278.8,47244000
data_stock_price/AMZN.csv ADDED
@@ -0,0 +1,22 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ Date,Name,Open,High,Low,Close,Volume
2
+ 2025-11-06,Amazon.com,249.2,250.4,242.2,243.0,46004200
3
+ 2025-11-07,Amazon.com,242.9,244.9,238.5,244.4,46374300
4
+ 2025-11-10,Amazon.com,248.3,251.8,245.6,248.4,36476500
5
+ 2025-11-11,Amazon.com,248.4,249.8,247.2,249.1,23564100
6
+ 2025-11-12,Amazon.com,250.2,250.4,243.8,244.2,31190100
7
+ 2025-11-13,Amazon.com,243.1,243.8,236.5,237.6,41401700
8
+ 2025-11-14,Amazon.com,235.1,238.7,232.9,234.7,38956700
9
+ 2025-11-17,Amazon.com,233.2,234.6,229.2,232.9,59919000
10
+ 2025-11-18,Amazon.com,228.1,230.2,222.4,222.6,60608400
11
+ 2025-11-19,Amazon.com,223.7,223.7,218.5,222.7,58335600
12
+ 2025-11-20,Amazon.com,227.1,227.4,216.7,217.1,50309000
13
+ 2025-11-21,Amazon.com,216.4,222.2,215.2,220.7,68490500
14
+ 2025-11-24,Amazon.com,222.6,227.3,222.3,226.3,54318400
15
+ 2025-11-25,Amazon.com,226.4,230.5,223.8,229.7,39379300
16
+ 2025-11-26,Amazon.com,230.7,231.8,228.8,229.2,38497900
17
+ 2025-11-28,Amazon.com,231.2,233.3,230.2,233.2,20292300
18
+ 2025-12-01,Amazon.com,233.2,235.8,232.2,233.9,42904000
19
+ 2025-12-02,Amazon.com,235.0,239.0,233.6,234.4,45785400
20
+ 2025-12-03,Amazon.com,233.4,233.4,230.6,232.4,35495100
21
+ 2025-12-04,Amazon.com,232.8,233.5,226.8,229.1,45683200
22
+ 2025-12-05,Amazon.com,230.3,231.2,228.6,229.5,33075500
data_stock_price/AVGO.csv ADDED
@@ -0,0 +1,22 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ Date,Name,Open,High,Low,Close,Volume
2
+ 2025-11-06,Broadcom,360.1,363.5,352.7,355.6,19896900
3
+ 2025-11-07,Broadcom,354.2,354.5,337.3,349.4,21903200
4
+ 2025-11-10,Broadcom,357.9,360.0,354.6,358.4,16409000
5
+ 2025-11-11,Broadcom,359.0,361.9,349.7,352.0,16446800
6
+ 2025-11-12,Broadcom,358.0,358.9,351.7,355.2,12190500
7
+ 2025-11-13,Broadcom,351.6,353.5,334.2,340.0,22616600
8
+ 2025-11-14,Broadcom,331.5,344.7,329.1,342.5,18500800
9
+ 2025-11-17,Broadcom,339.8,352.2,337.5,342.6,14799600
10
+ 2025-11-18,Broadcom,343.2,348.0,335.5,340.5,21726800
11
+ 2025-11-19,Broadcom,340.7,359.7,337.8,354.4,21851900
12
+ 2025-11-20,Broadcom,366.0,376.1,345.2,346.8,28867000
13
+ 2025-11-21,Broadcom,345.2,348.6,331.8,340.2,30280300
14
+ 2025-11-24,Broadcom,347.7,382.0,347.7,378.0,47262400
15
+ 2025-11-25,Broadcom,384.9,388.1,371.8,385.0,33507600
16
+ 2025-11-26,Broadcom,385.5,399.9,383.3,397.6,28693000
17
+ 2025-11-28,Broadcom,399.4,403.0,397.2,403.0,13365500
18
+ 2025-12-01,Broadcom,394.9,395.4,385.1,386.1,23252000
19
+ 2025-12-02,Broadcom,388.3,393.5,379.8,381.6,22207000
20
+ 2025-12-03,Broadcom,380.0,382.3,370.6,380.6,21336400
21
+ 2025-12-04,Broadcom,380.7,383.9,376.5,381.0,15845900
22
+ 2025-12-05,Broadcom,386.2,393.5,385.1,390.2,24709400
data_stock_price/CRM.csv ADDED
@@ -0,0 +1,22 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ Date,Name,Open,High,Low,Close,Volume
2
+ 2025-11-06,Salesforce,250.5,250.5,234.5,239.3,11041800
3
+ 2025-11-07,Salesforce,236.1,241.0,235.8,239.9,5741500
4
+ 2025-11-10,Salesforce,240.0,241.9,235.1,241.7,6486600
5
+ 2025-11-11,Salesforce,241.9,245.7,241.2,244.5,5762800
6
+ 2025-11-12,Salesforce,245.7,248.4,243.7,246.0,4278200
7
+ 2025-11-13,Salesforce,245.2,245.9,239.9,240.4,5542100
8
+ 2025-11-14,Salesforce,238.3,245.2,237.4,243.7,5512900
9
+ 2025-11-17,Salesforce,242.1,242.8,235.6,237.0,5280900
10
+ 2025-11-18,Salesforce,236.2,237.8,230.3,233.5,8045100
11
+ 2025-11-19,Salesforce,232.0,232.3,225.1,227.9,9710700
12
+ 2025-11-20,Salesforce,229.2,231.1,223.3,225.4,7521100
13
+ 2025-11-21,Salesforce,224.9,228.7,222.0,227.1,7479300
14
+ 2025-11-24,Salesforce,227.3,228.8,225.0,226.8,8563300
15
+ 2025-11-25,Salesforce,226.8,234.6,226.5,234.1,10233000
16
+ 2025-11-26,Salesforce,230.5,232.8,226.0,228.1,8506600
17
+ 2025-11-28,Salesforce,229.0,232.6,228.6,230.5,3691500
18
+ 2025-12-01,Salesforce,228.7,234.2,228.6,232.8,5634700
19
+ 2025-12-02,Salesforce,233.0,236.6,231.6,234.7,7626200
20
+ 2025-12-03,Salesforce,235.4,239.3,233.2,238.7,13782000
21
+ 2025-12-04,Salesforce,243.7,249.0,237.6,247.5,20912100
22
+ 2025-12-05,Salesforce,250.8,261.9,249.5,260.6,15846200
data_stock_price/GOOGL.csv ADDED
@@ -0,0 +1,22 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ Date,Name,Open,High,Low,Close,Volume
2
+ 2025-11-06,Alphabet Inc.,285.3,288.4,281.1,284.8,37173600
3
+ 2025-11-07,Alphabet Inc.,283.2,283.8,275.2,278.8,34479600
4
+ 2025-11-10,Alphabet Inc.,284.4,290.8,282.9,290.1,29557300
5
+ 2025-11-11,Alphabet Inc.,287.8,291.9,287.3,291.3,19842100
6
+ 2025-11-12,Alphabet Inc.,291.7,292.0,283.7,286.7,24829900
7
+ 2025-11-13,Alphabet Inc.,282.3,282.8,277.2,278.6,29494000
8
+ 2025-11-14,Alphabet Inc.,271.4,278.6,270.7,276.4,31647200
9
+ 2025-11-17,Alphabet Inc.,285.8,294.0,283.6,285.0,52670200
10
+ 2025-11-18,Alphabet Inc.,287.9,288.8,278.2,284.3,49158700
11
+ 2025-11-19,Alphabet Inc.,287.2,303.8,286.6,292.8,68198900
12
+ 2025-11-20,Alphabet Inc.,304.5,306.4,288.7,289.5,62025200
13
+ 2025-11-21,Alphabet Inc.,296.4,303.9,293.9,299.7,74137700
14
+ 2025-11-24,Alphabet Inc.,311.1,319.5,309.6,318.6,85165100
15
+ 2025-11-25,Alphabet Inc.,326.2,328.8,317.6,323.4,88632100
16
+ 2025-11-26,Alphabet Inc.,320.7,324.5,316.8,320.0,51373400
17
+ 2025-11-28,Alphabet Inc.,323.4,326.9,316.8,320.2,26018600
18
+ 2025-12-01,Alphabet Inc.,317.7,319.9,313.9,314.9,41183000
19
+ 2025-12-02,Alphabet Inc.,316.7,318.4,313.9,315.8,35854700
20
+ 2025-12-03,Alphabet Inc.,315.9,321.6,314.1,319.6,41838300
21
+ 2025-12-04,Alphabet Inc.,322.2,322.4,314.7,317.6,31240900
22
+ 2025-12-05,Alphabet Inc.,319.5,323.2,319.2,321.3,28823600
data_stock_price/META.csv ADDED
@@ -0,0 +1,22 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ Date,Name,Open,High,Low,Close,Volume
2
+ 2025-11-06,Meta Platforms,635.8,636.0,618.0,618.9,23628800
3
+ 2025-11-07,Meta Platforms,616.5,622.1,601.2,621.7,29946800
4
+ 2025-11-10,Meta Platforms,631.1,635.0,618.1,631.8,19245000
5
+ 2025-11-11,Meta Platforms,628.0,629.6,619.4,627.1,13302200
6
+ 2025-11-12,Meta Platforms,628.1,629.0,607.8,609.0,24493300
7
+ 2025-11-13,Meta Platforms,613.1,617.7,603.0,609.9,20973800
8
+ 2025-11-14,Meta Platforms,601.8,613.7,595.2,609.5,20724100
9
+ 2025-11-17,Meta Platforms,609.0,611.7,595.4,602.0,16501300
10
+ 2025-11-18,Meta Platforms,591.6,603.7,583.8,597.7,25500600
11
+ 2025-11-19,Meta Platforms,593.7,595.3,581.2,590.3,24744700
12
+ 2025-11-20,Meta Platforms,603.5,606.7,583.3,589.2,20603000
13
+ 2025-11-21,Meta Platforms,588.5,598.1,581.9,594.2,21052600
14
+ 2025-11-24,Meta Platforms,598.7,616.7,597.6,613.0,23554900
15
+ 2025-11-25,Meta Platforms,624.0,637.0,618.3,636.2,25213000
16
+ 2025-11-26,Meta Platforms,637.7,638.4,631.6,633.6,15209500
17
+ 2025-11-28,Meta Platforms,636.1,648.0,635.5,648.0,11033200
18
+ 2025-12-01,Meta Platforms,639.5,645.3,637.8,640.9,13029900
19
+ 2025-12-02,Meta Platforms,642.3,647.9,638.1,647.1,11640900
20
+ 2025-12-03,Meta Platforms,644.4,648.8,637.5,639.6,11134300
21
+ 2025-12-04,Meta Platforms,676.0,676.1,660.0,661.5,29874600
22
+ 2025-12-05,Meta Platforms,664.0,674.7,662.4,673.4,21166900
data_stock_price/MSFT.csv ADDED
@@ -0,0 +1,22 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ Date,Name,Open,High,Low,Close,Volume
2
+ 2025-11-06,Microsoft,505.7,505.7,495.8,497.1,27406500
3
+ 2025-11-07,Microsoft,497.0,499.4,493.2,496.8,24019800
4
+ 2025-11-10,Microsoft,500.0,506.9,498.8,506.0,26101500
5
+ 2025-11-11,Microsoft,504.8,509.6,502.4,508.7,17980000
6
+ 2025-11-12,Microsoft,509.4,511.7,499.1,511.1,26574900
7
+ 2025-11-13,Microsoft,510.3,513.5,501.3,503.3,25273100
8
+ 2025-11-14,Microsoft,498.2,511.6,497.4,510.2,28505700
9
+ 2025-11-17,Microsoft,508.5,512.1,504.9,507.5,19092800
10
+ 2025-11-18,Microsoft,495.4,503.0,486.8,493.8,33815100
11
+ 2025-11-19,Microsoft,490.1,495.2,482.8,487.1,23245300
12
+ 2025-11-20,Microsoft,492.7,493.6,475.5,478.4,26802500
13
+ 2025-11-21,Microsoft,478.5,478.9,468.3,472.1,31769200
14
+ 2025-11-24,Microsoft,475.0,476.9,468.0,474.0,34421000
15
+ 2025-11-25,Microsoft,474.1,479.1,464.9,477.0,28019800
16
+ 2025-11-26,Microsoft,486.3,488.3,481.2,485.5,25709100
17
+ 2025-11-28,Microsoft,487.6,492.6,486.6,492.0,14386700
18
+ 2025-12-01,Microsoft,488.4,489.9,484.6,486.7,23964000
19
+ 2025-12-02,Microsoft,486.7,493.5,486.3,490.0,19562700
20
+ 2025-12-03,Microsoft,476.3,484.2,475.2,477.7,34615100
21
+ 2025-12-04,Microsoft,479.8,481.3,476.5,480.8,22318200
22
+ 2025-12-05,Microsoft,482.5,483.4,478.9,483.2,22587400
data_stock_price/NFLX.csv ADDED
@@ -0,0 +1,22 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ Date,Name,Open,High,Low,Close,Volume
2
+ 2025-11-06,Netflix,109.5,110.4,108.5,109.7,36532000
3
+ 2025-11-07,Netflix,109.4,110.8,108.8,110.4,44125000
4
+ 2025-11-10,Netflix,110.7,112.8,110.4,112.0,36929000
5
+ 2025-11-11,Netflix,111.8,113.9,111.3,113.6,27966000
6
+ 2025-11-12,Netflix,113.8,116.4,112.8,115.8,39221000
7
+ 2025-11-13,Netflix,115.8,116.7,114.6,115.4,40144000
8
+ 2025-11-14,Netflix,114.3,114.3,110.7,111.2,47607000
9
+ 2025-11-17,Netflix,110.8,111.8,109.6,110.3,26082700
10
+ 2025-11-18,Netflix,110.3,115.2,109.2,114.1,43440600
11
+ 2025-11-19,Netflix,113.0,113.3,108.6,110.0,31868100
12
+ 2025-11-20,Netflix,111.0,111.1,105.4,105.7,36918500
13
+ 2025-11-21,Netflix,105.1,106.5,103.8,104.3,41232700
14
+ 2025-11-24,Netflix,104.2,108.0,103.3,107.0,62918300
15
+ 2025-11-25,Netflix,106.1,106.3,103.8,104.4,35122600
16
+ 2025-11-26,Netflix,105.7,106.9,105.2,106.1,27951000
17
+ 2025-11-28,Netflix,106.4,107.9,106.2,107.6,15021600
18
+ 2025-12-01,Netflix,106.5,109.3,106.3,109.1,24873400
19
+ 2025-12-02,Netflix,109.2,109.7,107.5,109.3,25763000
20
+ 2025-12-03,Netflix,106.6,106.9,102.0,104.0,53593400
21
+ 2025-12-04,Netflix,103.6,103.8,101.8,103.2,51779100
22
+ 2025-12-05,Netflix,98.8,104.8,97.7,100.2,133177200
data_stock_price/NVDA.csv ADDED
@@ -0,0 +1,22 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ Date,Name,Open,High,Low,Close,Volume
2
+ 2025-11-06,NVIDIA,196.4,197.6,186.4,188.1,223029800
3
+ 2025-11-07,NVIDIA,184.9,188.3,178.9,188.1,264942300
4
+ 2025-11-10,NVIDIA,195.1,199.9,193.8,199.1,198897100
5
+ 2025-11-11,NVIDIA,195.2,195.4,191.3,193.2,176483300
6
+ 2025-11-12,NVIDIA,195.7,195.9,191.1,193.8,154935300
7
+ 2025-11-13,NVIDIA,191.1,191.4,183.9,186.9,207423100
8
+ 2025-11-14,NVIDIA,182.9,191.0,180.6,190.2,186591900
9
+ 2025-11-17,NVIDIA,186.0,189.0,184.3,186.6,173628900
10
+ 2025-11-18,NVIDIA,183.4,184.8,179.6,181.4,213598900
11
+ 2025-11-19,NVIDIA,184.8,187.9,182.8,186.5,247246400
12
+ 2025-11-20,NVIDIA,195.9,196.0,179.9,180.6,343504800
13
+ 2025-11-21,NVIDIA,181.2,184.6,172.9,178.9,346926200
14
+ 2025-11-24,NVIDIA,179.5,183.5,176.5,182.6,256618300
15
+ 2025-11-25,NVIDIA,174.9,178.2,169.6,177.8,320600300
16
+ 2025-11-26,NVIDIA,181.6,182.9,178.2,180.3,183852000
17
+ 2025-11-28,NVIDIA,179.0,179.3,176.5,177.0,121332800
18
+ 2025-12-01,NVIDIA,174.8,180.3,173.7,179.9,188131000
19
+ 2025-12-02,NVIDIA,181.8,185.7,180.0,181.5,182632200
20
+ 2025-12-03,NVIDIA,181.1,182.4,179.1,179.6,165138000
21
+ 2025-12-04,NVIDIA,181.6,184.5,180.0,183.4,167364900
22
+ 2025-12-05,NVIDIA,183.9,184.7,180.9,182.4,143635500
data_stock_price/TSLA.csv ADDED
@@ -0,0 +1,22 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ Date,Name,Open,High,Low,Close,Volume
2
+ 2025-11-06,Tesla,462.0,467.5,435.1,445.9,109622900
3
+ 2025-11-07,Tesla,437.9,439.4,421.9,429.5,103471500
4
+ 2025-11-10,Tesla,439.6,449.7,433.4,445.2,76515900
5
+ 2025-11-11,Tesla,439.4,442.5,432.4,439.6,60533200
6
+ 2025-11-12,Tesla,442.1,442.3,426.6,430.6,58513500
7
+ 2025-11-13,Tesla,423.1,424.5,396.3,402.0,118948000
8
+ 2025-11-14,Tesla,386.3,412.2,382.8,404.4,105506700
9
+ 2025-11-17,Tesla,398.7,424.0,398.7,408.9,102214300
10
+ 2025-11-18,Tesla,405.4,408.9,393.7,401.2,80688600
11
+ 2025-11-19,Tesla,406.2,411.8,398.5,404.0,72047700
12
+ 2025-11-20,Tesla,414.6,428.9,394.7,395.2,113548800
13
+ 2025-11-21,Tesla,402.3,402.8,383.8,391.1,100460600
14
+ 2025-11-24,Tesla,402.2,421.7,401.1,417.8,96806400
15
+ 2025-11-25,Tesla,414.4,420.5,406.0,419.4,71915600
16
+ 2025-11-26,Tesla,424.0,426.9,416.9,426.6,63463000
17
+ 2025-11-28,Tesla,426.6,432.9,426.2,430.2,36252900
18
+ 2025-12-01,Tesla,425.3,433.7,425.3,430.1,57463600
19
+ 2025-12-02,Tesla,430.8,436.8,422.1,429.2,69336600
20
+ 2025-12-03,Tesla,432.1,447.9,431.1,446.7,87483000
21
+ 2025-12-04,Tesla,449.9,454.6,445.4,454.5,71906500
22
+ 2025-12-05,Tesla,453.0,458.9,451.7,455.0,56300700
etf/ETF.csv ADDED
The diff for this file is too large to render. See raw diff
 
etf/etf.py ADDED
@@ -0,0 +1,37 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ # pip install pykrx
2
+ # doc https://github.com/sharebook-kr/pykrx?tab=readme-ov-file#22-etx-api
3
+ import pykrx
4
+ import pandas as pd
5
+ from datetime import datetime, timedelta
6
+
7
+ input_df = pd.read_csv('etf_1.tsv', sep='\t')
8
+ # output_df = pd.read_csv('ETF.csv', sep='\t')
9
+
10
+ for row in input_df.to_dict('records'):
11
+
12
+ ticker = row['종목코드']
13
+ today_dt = datetime.now()
14
+
15
+ # etf 주가정보
16
+ # df = pykrx.stock.get_etf_ohlcv_by_date(
17
+ # (today_dt - timedelta(days=30)).strftime('%Y%m%d'),
18
+ # today_dt.strftime('%Y%m%d'),
19
+ # ticker
20
+ # )
21
+ # print(df)
22
+
23
+ # pdf 정보 -
24
+ df = pykrx.stock.get_etf_portfolio_deposit_file(ticker, today_dt.strftime('%Y%m%d'))
25
+ print(df)
26
+
27
+ # etf 투자주체 매매동향
28
+ # df = pykrx.stock.get_etf_trading_volume_and_value(
29
+ # (today_dt - timedelta(days=30)).strftime('%Y%m%d'),
30
+ # today_dt.strftime('%Y%m%d'),
31
+ # ticker
32
+ # )
33
+ # print(df)
34
+
35
+ # 저장 필요
36
+
37
+ # break
etf/make_data_ETF_csv.py ADDED
@@ -0,0 +1,188 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ import pykrx
2
+ import pandas as pd
3
+ import yfinance as yf
4
+ from datetime import datetime
5
+ import re
6
+ import os
7
+
8
+
9
+ # ============================================================
10
+ # 1) KOSPI / KOSDAQ 티커 목록 미리 로딩
11
+ # ============================================================
12
+ print("[INFO] Loading KOSPI/KOSDAQ ticker lists...")
13
+ KOSPI_SET = set(pykrx.stock.get_market_ticker_list(market="KOSPI"))
14
+ KOSDAQ_SET = set(pykrx.stock.get_market_ticker_list(market="KOSDAQ"))
15
+
16
+
17
+ # ============================================================
18
+ # 2) 시장에 따라 .KS / .KQ 자동 부착
19
+ # ============================================================
20
+ def attach_market_suffix(ticker6: str):
21
+ if ticker6 in KOSPI_SET:
22
+ return ticker6 + ".KS"
23
+ if ticker6 in KOSDAQ_SET:
24
+ return ticker6 + ".KQ"
25
+ return ticker6 + ".KS"
26
+
27
+
28
+ # ============================================================
29
+ # 3) RAW-ID 문자열에서 대표 한국 티커 추출
30
+ # ============================================================
31
+ def extract_primary_ticker(raw_id: str):
32
+ if pd.isna(raw_id):
33
+ return ""
34
+ s = str(raw_id).strip()
35
+
36
+ if re.fullmatch(r"\d{6}\.(KS|KQ)", s):
37
+ return s
38
+
39
+ parts = re.split(r"[,\s]+", s)
40
+
41
+ # 6자리 숫자 → 시장 자동판별
42
+ for p in parts:
43
+ if re.fullmatch(r"\d{6}", p):
44
+ return attach_market_suffix(p)
45
+
46
+ # 이미 .KS/.KQ
47
+ for p in parts:
48
+ if re.fullmatch(r"\d{6}\.(KS|KQ)", p):
49
+ return p
50
+
51
+ # fallback 숫자
52
+ for p in parts:
53
+ if p.isdigit() and len(p) == 6:
54
+ return attach_market_suffix(p)
55
+
56
+ # 마지막 fallback
57
+ return parts[0] if parts else s
58
+
59
+
60
+ # ============================================================
61
+ # 4) 회사명 조회 함수
62
+ # ============================================================
63
+ def safe_company_name(ticker):
64
+ try:
65
+ yf_t = yf.Ticker(ticker)
66
+
67
+ try:
68
+ fi = yf_t.fast_info
69
+ if fi:
70
+ nm = fi.get("longName") or fi.get("shortName")
71
+ if nm:
72
+ return nm
73
+ except:
74
+ pass
75
+
76
+ try:
77
+ info = yf_t.info
78
+ if info:
79
+ nm = info.get("longName") or info.get("shortName")
80
+ if nm:
81
+ return nm
82
+ except:
83
+ pass
84
+
85
+ except Exception:
86
+ pass
87
+ return ""
88
+
89
+
90
+ # ============================================================
91
+ # 5) MAIN CODE
92
+ # ============================================================
93
+ def main():
94
+ input_df = pd.read_csv('etf_2.tsv', sep='\t')
95
+
96
+ output_path = "ETF.csv"
97
+
98
+ # 파일 없으면 헤더 포함 새로 생성
99
+ if not os.path.exists(output_path):
100
+ pd.DataFrame(columns=["ID","NAME","COMPANY","VALUE","AMOUNT","PERCENTAGE"])\
101
+ .to_csv(output_path, index=False, encoding="utf-8")
102
+
103
+ for row in input_df.to_dict('records'):
104
+ etf_ticker = row['종목코드']
105
+ name_from_input = row['종목명']
106
+ today_dt = datetime.now().strftime('%Y%m%d')
107
+
108
+ df = pykrx.stock.get_etf_portfolio_deposit_file(etf_ticker, today_dt)
109
+
110
+ if df is None or df.empty:
111
+ print(f"[WARN] {etf_ticker} PDF 없음. skip")
112
+ continue
113
+
114
+ # ============ 1) 티커 정리 ============
115
+ if "티커" in df.columns:
116
+ df = df.rename(columns={"티커": "ID"})
117
+ elif df.index.name == "티커":
118
+ df = df.reset_index().rename(columns={"티커": "ID"})
119
+ else:
120
+ print(f"[ERROR] {etf_ticker}: 티커 컬럼 없음")
121
+ print(df)
122
+ continue
123
+
124
+ raw_ids = df["ID"].astype(str)
125
+ df["ID"] = raw_ids.apply(extract_primary_ticker)
126
+
127
+ # ============ 2) ETF 이름 ============
128
+ df["NAME"] = name_from_input
129
+
130
+ # ============ 3) 숫자 처리 ============
131
+ if "금액" in df.columns:
132
+ df["VALUE"] = pd.to_numeric(df["금액"], errors="coerce")
133
+ if "계약수" in df.columns:
134
+ df["AMOUNT"] = pd.to_numeric(df["계약수"], errors="coerce")
135
+
136
+ if "VALUE" not in df.columns:
137
+ df["VALUE"] = None
138
+ if "AMOUNT" not in df.columns:
139
+ df["AMOUNT"] = None
140
+
141
+ df["VALUE"] = df["VALUE"].clip(lower=0)
142
+ df["AMOUNT"] = df["AMOUNT"].clip(lower=0)
143
+
144
+ # ============ 4) 회사명 조회 ============
145
+ df["COMPANY"] = df["ID"].apply(safe_company_name)
146
+
147
+ # ============ 5) 비중 제거 ============
148
+ if "비중" in df.columns:
149
+ df = df.drop(columns=["비중"])
150
+
151
+ # ============ 6) 비율 계산 ============
152
+ if df["VALUE"].notna().any():
153
+ total_value = df["VALUE"].sum(skipna=True)
154
+ if total_value > 0:
155
+ df["PERCENTAGE"] = (df["VALUE"] / total_value * 100).round(1)
156
+ else:
157
+ df["PERCENTAGE"] = 0.0
158
+ else:
159
+ df["PERCENTAGE"] = None
160
+
161
+ # ============ 7) 최종 컬럼 ============
162
+ final_cols = ["ID", "NAME", "COMPANY", "VALUE", "AMOUNT", "PERCENTAGE"]
163
+
164
+ for col in final_cols:
165
+ if col not in df.columns:
166
+ df[col] = None
167
+
168
+ df = df[final_cols].reset_index(drop=True)
169
+
170
+ print(df)
171
+
172
+ # ===============================================
173
+ # 8) CSV 에 append (쉼표로 구분 + UTF-8)
174
+ # ===============================================
175
+ df.to_csv(
176
+ output_path,
177
+ mode="a",
178
+ header=False,
179
+ index=False,
180
+ encoding="utf-8"
181
+ )
182
+
183
+ # 여러 종목 처리할 때 break 제거
184
+ # break
185
+
186
+
187
+ if __name__ == "__main__":
188
+ main()
etf/postprocessing_ETF_csv.py ADDED
@@ -0,0 +1,82 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ # 1. 형식 후처리
2
+ import pandas as pd
3
+
4
+
5
+ def rearrange_csv(csv_path: str):
6
+ """
7
+ CSV 파일을 읽어 열 순서를 변경하고 원본 파일에 덮어쓰기 저장한다.
8
+
9
+ 변경사항:
10
+ - NAME 뒤에 ID 열 배치
11
+ - ID → TICKER 로 컬럼명 변경
12
+ - 원본 csv_path에 덮어쓰기
13
+ """
14
+
15
+ # 1. CSV 읽기
16
+ df = pd.read_csv(csv_path)
17
+
18
+ # 2. ID → TICKER 로 컬럼명 변경
19
+ df = df.rename(columns={"ID": "TICKER"})
20
+
21
+ # 3. NAME 뒤에 TICKER 배치
22
+ desired_order = ["NAME", "TICKER"] + [col for col in df.columns if col not in ["NAME", "TICKER"]]
23
+ df = df[desired_order]
24
+
25
+ # 4. 원본 파일 덮어쓰기
26
+ df.to_csv(csv_path, index=False, encoding="utf-8-sig")
27
+
28
+ print(f"[완료] 열 순서 변경 및 저장 완료 → {csv_path}")
29
+
30
+ rearrange_csv("ETF.csv")
31
+
32
+
33
+ # 2. COMPANY 열 한국어로 변경
34
+ import pandas as pd
35
+ from pykrx import stock
36
+
37
+
38
+ def convert_company_to_korean(csv_path: str):
39
+ df = pd.read_csv(csv_path)
40
+
41
+ skipped_rows = [] # 무시된 row 전체 저장 (출력용)
42
+
43
+ def get_korean_name(ticker: str):
44
+ try:
45
+ code = ticker.split(".")[0]
46
+ name = stock.get_market_ticker_name(code)
47
+
48
+ # pykrx 조회 실패 → None 또는 빈 문자열
49
+ if not isinstance(name, str) or name.strip() == "":
50
+ return None
51
+ return name
52
+
53
+ except:
54
+ return None
55
+
56
+ # 새 COMPANY 값 생성
57
+ df["NEW_COMPANY"] = df["TICKER"].apply(get_korean_name)
58
+
59
+ # 잘못된 row 추출
60
+ skipped_df = df[df["NEW_COMPANY"].isna()]
61
+ skipped_rows = skipped_df.to_dict(orient="records")
62
+
63
+ # 정상 row만 남김
64
+ df = df[df["NEW_COMPANY"].notna()].copy()
65
+
66
+ # COMPANY 업데이트
67
+ df["COMPANY"] = df["NEW_COMPANY"]
68
+ df.drop(columns=["NEW_COMPANY"], inplace=True)
69
+
70
+ # CSV 저장
71
+ df.to_csv(csv_path, index=False, encoding="utf-8-sig")
72
+
73
+ print(f"[완료] 한국어 기업명 변환 완료 → {csv_path}")
74
+
75
+ # 무시된 행 출력
76
+ print(f"\n[무시된 행 개수] {len(skipped_rows)}개")
77
+ if skipped_rows:
78
+ print("[무시된 데이터 목록]")
79
+ for idx, row in enumerate(skipped_rows, 1):
80
+ print(f"{idx}. {row}")
81
+
82
+ convert_company_to_korean("ETF.csv")
gen_client.py ADDED
@@ -0,0 +1,314 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ import argparse
2
+ import csv
3
+ import json
4
+ import pandas as pd
5
+ import requests
6
+
7
+ from datetime import datetime
8
+ from pathlib import Path
9
+ from io import StringIO
10
+
11
+
12
+ def get_user_df(input_path: str, top_n: int) -> pd.DataFrame:
13
+ df = pd.read_csv(input_path, dtype={'종목코드': str})
14
+ df['매입금액'] = df['매입주가'] * df['보유주식수']
15
+ df_sorted = df.sort_values(by='매입금액', ascending=False)
16
+ df_top = df_sorted.head(top_n)
17
+ df_top = df_top[['종목코드', '종목명', '매입주가', '보유주식수']]
18
+ return df_top
19
+
20
+
21
+ def request_post(base_url: str, service: str, req_body: dict) -> dict:
22
+ try:
23
+ url = f'{base_url}/{service}'
24
+ res = requests.post(
25
+ url=url,
26
+ json=req_body
27
+ )
28
+ res.raise_for_status()
29
+ except Exception as e:
30
+ print(f'[ERROR] {service} / 에러 발생: {str(e)}')
31
+
32
+ res_body = res.json()
33
+ if res_body['success']:
34
+ return res_body['data']
35
+
36
+
37
+ def update_user_with_stock_price(json_data, res_data):
38
+ """
39
+ res_data 로 받은 stock_price 정보를 기반으로
40
+ json_data["user"] 항목에 현재주가, 수익률, 현재자산을 업데이트
41
+ """
42
+
43
+ def normalize(code):
44
+ return str(code).strip().upper()
45
+
46
+ # user 목록 가져오기
47
+ user_list = json_data.get("user", [])
48
+ if not isinstance(user_list, list):
49
+ print("[WARN] user 데이터 구조가 list 아님 → 업데이트 불가")
50
+ return
51
+
52
+ # 종목 가격 dict(normalized)
53
+ stock_price_map = {normalize(k): v for k, v in res_data.items()}
54
+
55
+ # user 각 항목 업데이트
56
+ for user_item in user_list:
57
+ raw_code = user_item.get("종목코드")
58
+ if not raw_code:
59
+ continue
60
+
61
+ code = normalize(raw_code)
62
+
63
+ # stock_price 에 해당 종목이 존재하는지 확인
64
+ prices = stock_price_map.get(code)
65
+ if not prices:
66
+ print(f"[WARN] {code} 종목의 주가 데이터 없음 → user 추가정보 스킵")
67
+ continue
68
+
69
+ # 최신 종가 (list 마지막)
70
+ last_row = prices[-1]
71
+
72
+ try:
73
+ current_price = float(last_row.get("Close"))
74
+ buy_price = float(user_item.get("매입주가"))
75
+ qty = float(user_item.get("보유주식수"))
76
+ except Exception:
77
+ print(f"[WARN] {code} 값 변환 오류 → user 추가정보 스킵")
78
+ continue
79
+
80
+ # 수익률 계산
81
+ profit_rate = round(((current_price - buy_price) / buy_price) * 100, 2)
82
+ current_asset = round(current_price * qty, 2)
83
+
84
+ # 업데이트
85
+ user_item["현재주가"] = str(current_price)
86
+ user_item["수익률"] = f"{profit_rate}%"
87
+ user_item["현재자산"] = str(current_asset)
88
+
89
+ # 저장
90
+ json_data["user"] = user_list
91
+ return json_data
92
+
93
+
94
+ def collect_data(region, base_url: str, portfolio: pd.DataFrame):
95
+ json_data = {
96
+ 'user': [],
97
+ 'similar_investors': {},
98
+ 'investment_company': {},
99
+ 'industry_info': [],
100
+ 'theme_info': [],
101
+ 'stock_price': {},
102
+ 'stock_news': {},
103
+ }
104
+
105
+ # ------------------------------
106
+ # 유사 투자자
107
+ # ------------------------------
108
+ service = 'similar_investors'
109
+ req_body = {
110
+ 'csv_text': portfolio.to_csv(index=False),
111
+ 'region': region[0] if isinstance(region, list) else region,
112
+ 'top': 5
113
+ }
114
+ print(f"[INFO] 유사 투자자 {req_body['top']}개 수집 시작..")
115
+ res_data = request_post(base_url, service, req_body)
116
+ if not res_data:
117
+ print(f'[ERROR] 유사 투자자 수집 실패..')
118
+ return None
119
+ print(f'[INFO] 유사 투자자 수집 완료:', res_data)
120
+ json_data[service] = res_data
121
+
122
+ # user 키 저장
123
+ used_user_csv = portfolio.to_csv(index=False)
124
+ f = StringIO(used_user_csv)
125
+ reader = csv.reader(f)
126
+ rows = list(reader)
127
+ if not rows or len(rows) < 2:
128
+ print("[WARN] portfolio CSV 내용이 비어 있어 user 데이터 저장을 생략합니다.")
129
+ json_data["user"] = []
130
+ else:
131
+ headers = rows[0]
132
+ user_list = [dict(zip(headers, cols)) for cols in rows[1:]]
133
+ json_data["user"] = user_list
134
+
135
+ # 산업, 테마 요청시 투자자 종목도 포함
136
+ si_names = list(set([d['NAME'] for rows in res_data.values() for d in rows]))
137
+ si_companies = list(set([d['COMPANY'] for rows in res_data.values() for d in rows]))
138
+
139
+ # ------------------------------
140
+ # 유사 투자회사 설명
141
+ # ------------------------------
142
+ print("[INFO] 투자회사 name 목록:", si_names)
143
+ service = "investment_company"
144
+ for name in si_names:
145
+ print(f"[INFO] {name} 설명 수집 시작..")
146
+ req_body = {"name": name}
147
+ res_data = request_post(base_url, service, req_body)
148
+ if not res_data:
149
+ print("[ERROR] 설명 수집 실패:", name)
150
+ json_data[service][name] = {
151
+ "error": True,
152
+ "detail": "request_post failed"
153
+ }
154
+ continue
155
+ print("[INFO] 설명 수집 완료:", res_data)
156
+ json_data[service][name] = res_data
157
+ if not json_data[service]:
158
+ print(f'[ERROR] 유사 투자자 수집 실패..')
159
+ return None
160
+ print()
161
+
162
+ # ------------------------------
163
+ # 산업정보
164
+ # ------------------------------
165
+ service = 'industry_info'
166
+ stock = portfolio['종목코드'].to_list() + si_companies
167
+ req_body = {
168
+ 'stock': stock
169
+ }
170
+ print(f'[INFO] 산업정보 {",".join(stock)} 수집 시작..')
171
+ res_data = request_post(base_url, service, req_body)
172
+ if not res_data:
173
+ print(f'[ERROR] 산업정보 수집 실패..')
174
+ return None
175
+ # 중복 제거
176
+ seen = set()
177
+ unique_data = [d for d in res_data if not (d['stock'] in seen or seen.add(d['stock']))]
178
+ print(f'[INFO] 산업정보 수집 완료:', unique_data)
179
+ print()
180
+ json_data[service] = unique_data
181
+
182
+ # ------------------------------
183
+ # 테마정보
184
+ # ------------------------------
185
+ service = 'theme_info'
186
+ stock = portfolio['종목코드'].to_list() + si_companies
187
+ req_body = {
188
+ 'stock': stock
189
+ }
190
+ print(f'[INFO] 테마정보 {",".join(stock)} 수집 시작..')
191
+ res_data = request_post(base_url, service, req_body)
192
+ if not res_data:
193
+ print(f'[ERROR] 테마정보 수집 실패..')
194
+ return None
195
+ # 중복 제거
196
+ seen = set()
197
+ unique_data = [d for d in res_data if not (d['stock'] in seen or seen.add(d['stock']))]
198
+ print(f'[INFO] 테마정보 수집 완료:', unique_data)
199
+ print()
200
+ json_data[service] = unique_data
201
+
202
+ # ------------------------------
203
+ # 종목 가격
204
+ # ------------------------------
205
+ service = 'stock_price'
206
+ stock = ','.join(portfolio['종목코드'])
207
+ req_body = {'stock': stock}
208
+ print(f'[INFO] 종목가격 {stock} 수집 시작..')
209
+ res_data = request_post(base_url, service, req_body)
210
+ if not res_data:
211
+ print(f'[ERROR] 종목가격 수집 실패..')
212
+ return None
213
+ print(f'[INFO] 종목가격 수집 완료:', res_data)
214
+ print()
215
+ json_data[service] = res_data
216
+ json_data = update_user_with_stock_price(json_data, res_data)
217
+
218
+ # ------------------------------
219
+ # 종목 뉴스
220
+ # ------------------------------
221
+ service = 'stock_news'
222
+ for stock in portfolio['종목코드']:
223
+ print(f'[INFO] 종목뉴스 {stock} 수집 시작..')
224
+ req_body = {
225
+ 'stock': stock,
226
+ 'period': 7
227
+ }
228
+ res_data = request_post(base_url, service, req_body)
229
+ if res_data:
230
+ print(f'[INFO] 종목뉴스 {stock} 수집 완료:', res_data)
231
+ json_data[service] |= res_data
232
+ else:
233
+ print(f'[ERROR] 종목뉴스 {stock} 수집 실패..')
234
+ if not json_data[service]:
235
+ print(f'[ERROR] 종목뉴스 수집 실패..')
236
+ return None
237
+ print()
238
+
239
+ return json_data
240
+
241
+
242
+ def save_results(output_root: str, user_csv: str, output_json: dict, report: str):
243
+ output_dir = Path(output_root) / datetime.now().strftime('%y%m%d_%H%M%S')
244
+ output_dir.mkdir(parents=True, exist_ok=True)
245
+
246
+ # ------------------------------
247
+ # 유저 포트폴리오 저장
248
+ # ------------------------------
249
+ user_path = output_dir / 'user.csv'
250
+ with open(user_path, 'w') as f:
251
+ f.write(user_csv)
252
+ print(f'[INFO] 유저 포트폴리오 저장 완료 -> {user_path}')
253
+
254
+ # ------------------------------
255
+ # 데이터 저장
256
+ # ------------------------------
257
+ output_path = output_dir / 'output.json'
258
+ with open(output_path, 'w') as f:
259
+ json.dump(output_json, f, ensure_ascii=False, indent=2)
260
+ print(f'[INFO] 데이터 저장 완료 -> {output_path}')
261
+
262
+ # ------------------------------
263
+ # 리포트 저장
264
+ # ------------------------------
265
+ report_path = output_dir / 'report.txt'
266
+ with open(report_path, 'w') as f:
267
+ f.write(report)
268
+ print(f'[INFO] 리포트 저장 완료 -> {report_path}')
269
+
270
+
271
+ def main():
272
+ parser = argparse.ArgumentParser(formatter_class=argparse.ArgumentDefaultsHelpFormatter)
273
+ parser.add_argument('--server', type=str, default='http://localhost:8080', help='서버 주소')
274
+ parser.add_argument("--region", choices=['ko', 'us'], required=True, help="지역 선택: ko(한국) 또는 us(미국)")
275
+ parser.add_argument('--user', type=str, default='user.csv', help='유저 포트폴리오 csv 파일 경로')
276
+ parser.add_argument('--user_name', type=str, default='이서준', help='투자자 이름')
277
+ parser.add_argument('--output', type=str, default='results', help='결과 경로')
278
+ args = parser.parse_args()
279
+
280
+ # ------------------------------
281
+ # 데이터 수집
282
+ # ------------------------------
283
+ user_df = get_user_df(args.user, top_n=5)
284
+
285
+ json_data = collect_data(args.region, args.server, user_df)
286
+ if not json_data:
287
+ print(f'[ERROR] 데이터 수집 실패.. 보고서 생성 종료.')
288
+ return
289
+
290
+ # ------------------------------
291
+ # 보고서 생성
292
+ # ------------------------------
293
+ service = 'report'
294
+ req_body = {
295
+ "date": datetime.now().strftime("%Y-%m-%d"), # 리포트 생성 날짜 (기본: 오늘 날짜)
296
+ 'user_name': args.user_name,
297
+ 'csv_text': user_df.to_csv(index=False),
298
+ 'json_text': json_data
299
+ }
300
+ print(f'[INFO] 유저 [{args.user_name}] 보고서 생성 시작..')
301
+ report_data = request_post(args.server, service, req_body)
302
+ if not report_data:
303
+ print(f'[ERROR] 보고서 생성 실패..')
304
+ return
305
+ report = report_data['report']
306
+
307
+ # ------------------------------
308
+ # 결과 저장
309
+ # ------------------------------
310
+ save_results(args.output, user_df.to_csv(index=False), json_data, report)
311
+
312
+
313
+ if __name__ == '__main__':
314
+ main()
industry_info.py ADDED
@@ -0,0 +1,354 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ import argparse
2
+ import csv
3
+ import html
4
+ import json
5
+ import os
6
+ import yfinance as yf
7
+
8
+ from openai import OpenAI
9
+ client = OpenAI()
10
+
11
+
12
+ def parse_stock_input(stock_arg):
13
+ """입력 문자열 → 종목 리스트 변환"""
14
+ if not isinstance(stock_arg, str):
15
+ return []
16
+ items = stock_arg.split(",")
17
+ result = []
18
+ for item in items:
19
+ s = item.strip()
20
+ if (s.startswith('"') and s.endswith('"')) or (s.startswith("'") and s.endswith("'")):
21
+ s = s[1:-1]
22
+ if s:
23
+ result.append(s)
24
+ return result
25
+
26
+
27
+ class industry_info:
28
+ def __init__(self, data):
29
+ self.path = data
30
+ self._store = {}
31
+ self._raw = []
32
+
33
+ if not os.path.exists(data):
34
+ raise FileNotFoundError(f"Data file not found: {data}")
35
+
36
+ # CSV 읽기
37
+ with open(data, "r", encoding="utf-8", newline="") as f:
38
+ reader = csv.DictReader(f)
39
+ required_cols = {"NAME", "INDUSTRY", "SECTOR"}
40
+ if reader.fieldnames is None or not required_cols.issubset(
41
+ set(n.strip() for n in reader.fieldnames)
42
+ ):
43
+ raise ValueError(
44
+ f"CSV must contain headers {sorted(required_cols)}. Found: {reader.fieldnames}"
45
+ )
46
+
47
+ for row_no, row in enumerate(reader, start=2):
48
+ name = (row.get("NAME") or "").strip()
49
+ industry = html.unescape((row.get("INDUSTRY") or "").strip())
50
+ sector = html.unescape((row.get("SECTOR") or "").strip())
51
+
52
+ if not name or not industry or not sector:
53
+ raise ValueError(
54
+ f"Invalid row {row_no}: NAME/INDUSTRY/SECTOR must be non-empty strings."
55
+ )
56
+
57
+ desc = f"Industry: {industry} | Sector: {sector}"
58
+ self._store[name] = desc
59
+
60
+ self._raw.append({
61
+ "NAME": name,
62
+ "INDUSTRY": industry,
63
+ "SECTOR": sector
64
+ })
65
+
66
+ self._ci_index = {name.lower(): name for name in self._store.keys()}
67
+
68
+ def _request_symbol_info(self, stock):
69
+ """GPT를 통해 티커(symbol) + 공식 종목명 조회"""
70
+ print(f"종목 '{stock}' → 티커(symbol) + 공식 종목명 조회(GPT)…")
71
+
72
+ prompt = f"""
73
+ 아래 종목명에 대해 Yahoo Finance 기준:
74
+ 1) 티커(symbol)
75
+ 2) 공식 종목명(full name)
76
+
77
+ 단, 중요한 조건:
78
+ - 사용자가 입력한 종목명이 한국어라면 → 공식 종목명도 한국어로 반환하세요.
79
+ - 사용자가 입력한 종목명에 한국어가 조금이라도 포함되어 있다면 → 공식 종목명도 한국어로 반환하세요.
80
+ - 사용자가 입력한 종목명이 영어라면 → 공식 종목명도 영어로 반환하세요.
81
+ - 한국 종목은 '.KS', '.KQ' 등 KRX 형식의 티커.
82
+ - 해외 종목(미국/유럽/홍콩 등)은 해당 시장의 일반 티커를 사용.
83
+
84
+ 예시:
85
+ 사용자 입력: 'SK하이닉스' → {{
86
+ "ticker": "000660.KS",
87
+ "name": "SK하이닉스"
88
+ }}
89
+ 사용자 입력: 'SKHynix' → {{
90
+ "ticker": "000660.KS",
91
+ "name": "SK Hynix Inc."
92
+ }}
93
+ 사용자 입력: '현대자동차' → {{
94
+ "ticker": "000660.KS",
95
+ "name": "현대차"
96
+ }}
97
+
98
+ 종목명: {stock}
99
+
100
+ 오직 JSON으로만 답변하세요.
101
+ """
102
+
103
+ resp = client.responses.create(
104
+ model="gpt-5.1",
105
+ input=prompt
106
+ )
107
+ try:
108
+ data = json.loads(resp.output_text)
109
+ ticker = data.get("ticker")
110
+ full_name = data.get("name")
111
+ except:
112
+ print("[ERROR] GPT 티커 JSON 파싱 실패")
113
+ return None, None
114
+
115
+ if not ticker:
116
+ print("[ERROR] GPT가 티커를 반환하지 않음")
117
+ return None, None
118
+
119
+ print(f"GPT 결과 → ticker: {ticker}, full name: {full_name}")
120
+ return ticker, full_name
121
+
122
+ def _fetch_industry_sector(self, ticker, full_name):
123
+ """
124
+ 산업/섹터 조회
125
+ yfinance → 부족 시 GPT 보완
126
+ """
127
+ print(f"yfinance에서 '{ticker}' 조회 중…")
128
+
129
+ info = yf.Ticker(ticker).info
130
+ industry = info.get("industry")
131
+ sector = info.get("sector")
132
+
133
+ if not industry or not sector:
134
+ print("yfinance 정보 부족 → GPT로 산업/섹터 생성")
135
+
136
+ prompt = f"""
137
+ 다음 회사의 산업(Industry)과 섹터(Sector)를 JSON으로만 응답하세요.
138
+
139
+ 회사명: {full_name}
140
+ 티커: {ticker}
141
+
142
+ 예시:
143
+ {{
144
+ "industry": "Semiconductors",
145
+ "sector": "Technology"
146
+ }}
147
+ """
148
+
149
+ resp = client.responses.create(
150
+ model="gpt-5.1",
151
+ input=prompt
152
+ )
153
+ try:
154
+ parsed = json.loads(resp.output_text)
155
+ industry = parsed.get("industry")
156
+ sector = parsed.get("sector")
157
+ except:
158
+ print("[WARN] GPT JSON 파싱 실패 → Unknown 지정")
159
+ industry = industry or "Unknown"
160
+ sector = sector or "Unknown"
161
+
162
+ return industry or "Unknown", sector or "Unknown"
163
+
164
+ def _save_to_csv(self, key_name, industry, sector):
165
+ """CSV에 append 처리"""
166
+ need_header = False
167
+ existing_names_lower = set()
168
+ existing_rows = {}
169
+
170
+ if os.path.exists(self.path) and os.path.getsize(self.path) > 0:
171
+ with open(self.path, "r", encoding="utf-8") as rf:
172
+ reader = csv.DictReader(rf)
173
+ if reader.fieldnames and "NAME" in reader.fieldnames:
174
+ for r in reader:
175
+ nm = (r.get("NAME") or "").strip()
176
+ if nm:
177
+ existing_names_lower.add(nm.lower())
178
+ existing_rows[nm.lower()] = r
179
+ else:
180
+ need_header = True
181
+
182
+ # 이미 존재하는 경우
183
+ if key_name.lower() in existing_names_lower:
184
+ print(f"'{key_name}' 이미 존재 → 저장 생략")
185
+
186
+ existing_row = existing_rows.get(key_name.lower(), {})
187
+ return {
188
+ "saved": False,
189
+ "industry": existing_row.get("INDUSTRY", industry),
190
+ "sector": existing_row.get("SECTOR", sector)
191
+ }
192
+
193
+ # 새로 append
194
+ row = f"\"{key_name}\",\"{industry}\",\"{sector}\"\n"
195
+ with open(self.path, "a", encoding="utf-8") as f:
196
+ if need_header:
197
+ f.write("NAME,INDUSTRY,SECTOR\n")
198
+ f.write(row)
199
+
200
+ print("CSV append 완료")
201
+ print(row)
202
+
203
+ return {"saved": True, "industry": industry, "sector": sector}
204
+
205
+ def make(self, stock):
206
+ """종목 단위 산업/섹터 CSV 생성"""
207
+ stock = stock.strip()
208
+ if not stock:
209
+ print("[WARN] 빈 종목명입니다.")
210
+ return None
211
+
212
+ # 1) GPT 호출 → 티커 + 공식명
213
+ ticker, full_name = self._request_symbol_info(stock)
214
+
215
+ if not ticker:
216
+ # fallback: stock 그대로 사용
217
+ ticker = stock
218
+ full_name = stock
219
+ print(f"[WARN] GPT 티커/풀네임 실패 → fallback 사용: {ticker}")
220
+
221
+ # 2) 산업/섹터 조회
222
+ industry, sector = self._fetch_industry_sector(ticker, full_name)
223
+ if not industry:
224
+ industry = "Unknown"
225
+ if not sector:
226
+ sector = "Unknown"
227
+
228
+ # 3) _store 갱신 (항상 등록)
229
+ desc = f"Industry: {industry} | Sector: {sector}"
230
+ key_name = full_name.strip()
231
+ self._store[key_name] = desc
232
+ self._ci_index[key_name.lower()] = key_name
233
+
234
+ # 4) CSV 저장
235
+ save_result = self._save_to_csv(key_name, industry, sector)
236
+
237
+ return {
238
+ "stock": key_name,
239
+ "ticker": ticker,
240
+ "industry": save_result.get("industry", industry),
241
+ "sector": save_result.get("sector", sector),
242
+ "description": f"Industry: {save_result.get('industry', industry)} | Sector: {save_result.get('sector', sector)}",
243
+ "saved": save_result.get("saved", False)
244
+ }
245
+
246
+ def get(self, stock):
247
+ """종목명 기준 description 조회"""
248
+ if not isinstance(stock, str) or not stock.strip():
249
+ return None
250
+
251
+ key = stock.strip()
252
+
253
+ if key in self._store:
254
+ return self._store[key]
255
+
256
+ canonical = self._ci_index.get(key.lower())
257
+ if canonical:
258
+ return self._store.get(canonical)
259
+
260
+ lowered = key.lower()
261
+ candidates = [n for n in self._store.keys() if lowered in n.lower()]
262
+ if len(candidates) == 1:
263
+ return self._store[candidates[0]]
264
+
265
+ return None
266
+
267
+
268
+ def ensure_parent_dir(path):
269
+ """파일 저장 전 상위 디렉토리 생성"""
270
+ parent = os.path.dirname(os.path.abspath(path))
271
+ if parent and not os.path.exists(parent):
272
+ os.makedirs(parent, exist_ok=True)
273
+
274
+
275
+ def append_to_json(records, json_path, class_name="industry_info"):
276
+ """JSON에 records append 및 저장"""
277
+ ensure_parent_dir(json_path)
278
+
279
+ if os.path.exists(json_path):
280
+ try:
281
+ with open(json_path, "r", encoding="utf-8") as rf:
282
+ loaded = json.load(rf)
283
+ data = loaded
284
+ except Exception as e:
285
+ print(f"[WARN] 기존 JSON 로드 실패({e}). 새 파일로 생성합니다.")
286
+ data = {class_name: []}
287
+ else:
288
+ data = {class_name: []}
289
+
290
+ data.setdefault(class_name, [])
291
+ data[class_name].extend(records)
292
+
293
+ with open(json_path, "w", encoding="utf-8") as wf:
294
+ json.dump(data, wf, ensure_ascii=False, indent=2)
295
+
296
+ print(f"[5/5] {json_path} 업데이트 완료.\n")
297
+
298
+
299
+ def main():
300
+ parser = argparse.ArgumentParser(description="종목의 산업군/섹터 검색 도구")
301
+ parser.add_argument("--stock", default="Meta", nargs="+", help="종목 입력. 여러 개는 , 로 구분")
302
+ parser.add_argument("--data", default="/work/portfolio/data/industry_info.csv")
303
+ parser.add_argument("--output", default="output.json")
304
+ args = parser.parse_args()
305
+
306
+ # --- 1. args 확인 ---
307
+ stock_str = " ".join(args.stock)
308
+ stock_list = parse_stock_input(stock_str)
309
+ if not stock_list:
310
+ print("[ERROR] --stock 에 유효한 종목명이 없습니다.")
311
+ return
312
+ print("[1/5] 인자(args) 확인.")
313
+ print(f"[INFO] --stock {args.stock}")
314
+ print(f"[INFO] --data {args.data}")
315
+ print(f"[INFO] --output {args.output}")
316
+ print(f"[INFO] 입력된 종목 리스트: {stock_list}\n")
317
+
318
+ # --- 2. 객체 생성 ---
319
+ ic = industry_info(args.data)
320
+ print("[2/5] industry_info 객체 생성 완료.\n")
321
+
322
+ # --- 3. make 함수 실행 ---
323
+ print("[3/5][4/5] make() 및 get() 실행.")
324
+ all_records = []
325
+
326
+ for stock in stock_list:
327
+ print(f"[INFO] 처리 중: {stock}")
328
+ result = ic.make(stock)
329
+ if not result:
330
+ print(f"[WARN] 종목 처리 실패: {stock}")
331
+ continue
332
+
333
+ full_name = result["stock"]
334
+ desc = ic.get(full_name)
335
+ if desc:
336
+ print(f"\n[INFO] {full_name} 조회 완료")
337
+ print(desc)
338
+ all_records.append({
339
+ "stock": full_name,
340
+ "description": desc
341
+ })
342
+ else:
343
+ print(f"[WARN] {full_name} description 없음")
344
+ print()
345
+
346
+ # --- 5. 저장 ---
347
+ if all_records:
348
+ append_to_json(all_records, json_path=args.output)
349
+ else:
350
+ print("[INFO] 저장할 JSON 데이터가 없습니다.")
351
+
352
+
353
+ if __name__ == "__main__":
354
+ main()
investment_company.py ADDED
@@ -0,0 +1,148 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ import argparse
2
+ import json
3
+ import os
4
+ from typing import Dict, Optional, List
5
+ from pathlib import Path
6
+
7
+
8
+ class investment_company:
9
+
10
+ def __init__(self, data: str):
11
+
12
+ self.path = data
13
+ self._store: Dict[str, str] = {}
14
+ self._raw: List[dict] = []
15
+
16
+ if not os.path.exists(data):
17
+ raise FileNotFoundError(f"Data file not found: {data}")
18
+
19
+ # Read JSON Lines file
20
+ with open(data, "r", encoding="utf-8") as f:
21
+ for line_no, line in enumerate(f, start=1):
22
+ line = line.strip()
23
+ if not line:
24
+ continue
25
+ try:
26
+ obj = json.loads(line)
27
+ except json.JSONDecodeError as e:
28
+ raise ValueError(
29
+ f"Invalid JSON on line {line_no} of {data}: {e}"
30
+ ) from e
31
+
32
+ # Validate required keys
33
+ name = obj.get("name")
34
+ desc = obj.get("description")
35
+ if not isinstance(name, str) or not isinstance(desc, str):
36
+ raise ValueError(
37
+ f"Line {line_no} must contain string 'name' and 'description'."
38
+ )
39
+
40
+ # Normalize key (store exact, plus a case-insensitive map)
41
+ self._store[name] = desc
42
+ self._raw.append(obj)
43
+
44
+ # Build a secondary case-insensitive index
45
+ self._ci_index: Dict[str, str] = {name.lower(): name for name in self._store.keys()}
46
+
47
+ def resolve_name(self, query: str) -> Optional[str]:
48
+ """입력된 query 로 실제 canonical name 을 찾아 반환."""
49
+ if not isinstance(query, str) or not query.strip():
50
+ return None
51
+ key = query.strip()
52
+ if key in self._store:
53
+ return key
54
+ ci = self._ci_index.get(key.lower())
55
+ if ci:
56
+ return ci
57
+ lowered = key.lower()
58
+ candidates = [n for n in self._store.keys() if lowered in n.lower()]
59
+ if len(candidates) == 1:
60
+ return candidates[0]
61
+ return None
62
+
63
+ def get(self, stock: str) -> Optional[str]:
64
+ if not isinstance(stock, str) or not stock.strip():
65
+ return None
66
+ key = stock.strip()
67
+ # Exact first
68
+ if key in self._store:
69
+ return self._store[key]
70
+ # Case-insensitive fallback
71
+ canonical = self._ci_index.get(key.lower())
72
+ if canonical and canonical in self._store:
73
+ return self._store[canonical]
74
+ # Try a relaxed contains search over names if not found
75
+ # (useful for partial names like "STATE STREET")
76
+ lowered = key.lower()
77
+ candidates = [n for n in self._store.keys() if lowered in n.lower()]
78
+ if len(candidates) == 1:
79
+ return self._store[candidates[0]]
80
+ return None
81
+
82
+ def make(self) -> None:
83
+ return None
84
+
85
+
86
+ def append_to_json(stock_to_records, output_path):
87
+ """JSON에 투자회사 설명을 append 저장"""
88
+ output_path = Path(output_path)
89
+ # 기존 파일 읽기
90
+ try:
91
+ with open(output_path, "r", encoding="utf-8") as f:
92
+ data = json.load(f)
93
+ except Exception:
94
+ print(f"[WARN] 기존 JSON 없음 → 신규 생성: {output_path}")
95
+ data = {}
96
+ # investment_company 가 dict 형태인지 검증
97
+ exist = data.get("investment_company")
98
+ if exist and isinstance(exist, dict):
99
+ data["investment_company"].update(stock_to_records)
100
+ else:
101
+ data["investment_company"] = stock_to_records
102
+ # 저장
103
+ with open(output_path, "w", encoding="utf-8") as f:
104
+ json.dump(data, f, ensure_ascii=False, indent=2)
105
+ print(f"[5/5] {output_path} 업데이트 완료.\n")
106
+
107
+
108
+ def main():
109
+ parser = argparse.ArgumentParser(description="사용자와 유사한 투자회사 정보 - 검색 및 생성 도구 ")
110
+ parser.add_argument("--name", type=str, nargs="+", default="GEODE CAPITAL MANAGEMENT, LLC")
111
+ parser.add_argument("--data", type=str, default="/work/portfolio/data/investment_company.jsonl")
112
+ parser.add_argument("--output", type=str, default="output.json")
113
+ args = parser.parse_args()
114
+
115
+ # --- 1. args 확인 ---
116
+ print("[1/5] 인자(args) 확인.")
117
+ print(f"[INFO] --name {args.name}")
118
+ print(f"[INFO] --data {args.data}")
119
+ print(f"[INFO] --output {args.output}\n")
120
+
121
+ # --- 2. 객체 생성 ---
122
+ ic = investment_company(args.data)
123
+ print("[2/5] investment_company 객체 생성 완료.\n")
124
+
125
+ # --- 3. get 함수 실행 ---
126
+ results = {}
127
+ print("[3-4/5] get() 실행.")
128
+ for nm in args.name:
129
+ print(f"[INFO] 처리 중: {nm}")
130
+ desc = ic.get(nm)
131
+ if desc:
132
+ canonical = ic.resolve_name(nm) or nm
133
+ print(f"[INFO] {canonical} 설명 조회 성공.")
134
+ results[canonical] = desc
135
+ else:
136
+ print(f"[WARN] '{nm}' 의 description 찾지 못함.")
137
+ print()
138
+
139
+ # # --- 4. get 없���면 make 함수 실행 ---
140
+ # print("[4/5] make() 실행.\n")
141
+ # ic.make()
142
+
143
+ # --- 5. 저장 ---
144
+ append_to_json(results, args.output)
145
+
146
+
147
+ if __name__ == "__main__":
148
+ main()
investment_company_ex.py ADDED
@@ -0,0 +1,353 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ import argparse
2
+ import json
3
+ import os
4
+ import pandas as pd
5
+ from openai import OpenAI
6
+ from pathlib import Path
7
+ from textwrap import dedent
8
+ from typing import Dict, Optional, List
9
+
10
+
11
+ class investment_company:
12
+
13
+ def __init__(self, data: str):
14
+
15
+ self.path = data
16
+ self._store: Dict[str, Dict[str, str]] = {}
17
+ self._raw: List[dict] = []
18
+
19
+ if not os.path.exists(data):
20
+ raise FileNotFoundError(f"Data file not found: {data}")
21
+
22
+ # Read JSON Lines file
23
+ with open(data, "r", encoding="utf-8") as f:
24
+ for line_no, line in enumerate(f, start=1):
25
+ line = line.strip()
26
+ if not line:
27
+ continue
28
+ try:
29
+ obj = json.loads(line)
30
+ except json.JSONDecodeError as e:
31
+ raise ValueError(
32
+ f"Invalid JSON on line {line_no} of {data}: {e}"
33
+ ) from e
34
+
35
+ # Validate required keys
36
+ name = obj.get("name")
37
+ desc = obj.get("description")
38
+ if not isinstance(name, str) or not isinstance(desc, str):
39
+ raise ValueError(
40
+ f"Line {line_no} must contain string 'name' and 'description'."
41
+ )
42
+
43
+ # Normalize key (store exact, plus a case-insensitive map)
44
+ self._store[name] = {
45
+ "name": name,
46
+ "description": desc
47
+ }
48
+ self._raw.append(obj)
49
+
50
+ # Build a secondary case-insensitive index
51
+ self._ci_index: Dict[str, str] = {name.lower(): name for name in self._store.keys()}
52
+
53
+ def reload_last_entry(self):
54
+ """JSONL 마지막 줄을 읽어서 _store 와 _ci_index 에 반영"""
55
+ if not os.path.exists(self.path):
56
+ return
57
+ with open(self.path, "r", encoding="utf-8") as f:
58
+ lines = f.readlines()
59
+ if not lines:
60
+ return
61
+ last = lines[-1].strip()
62
+ if not last:
63
+ return
64
+ try:
65
+ obj = json.loads(last)
66
+ except:
67
+ return
68
+ name = obj.get("name")
69
+ desc = obj.get("description")
70
+ if isinstance(name, str) and isinstance(desc, str):
71
+ # store 에 추가
72
+ self._store[name] = {"name": name, "description": desc}
73
+ # case-insensitive index 업데이트
74
+ self._ci_index[name.lower()] = name
75
+ print(f"[INFO] 메모리에 신규 데이터 즉시 반영 완료 → {name}")
76
+
77
+ def make(self, company_name, jsonl_path):
78
+ """company_name에 해당하는 데이터 없다면 생성"""
79
+ # 1. 이미 생성된 데이터 존재 여부 확인
80
+ if exists_in_jsonl(company_name, jsonl_path):
81
+ print(f"[INFO] {company_name}는 이미 데이터가 존재합니다.")
82
+ return None
83
+ # 2. 해외 투자회사 여부 확인
84
+ csv_path = "data/SEC_Filing_Manager.csv"
85
+ if exists_in_sec_csv(company_name, csv_path):
86
+ description = generate_company_description(company_name, jsonl_path, ic_obj=self)
87
+ if description:
88
+ print(f"[INFO] {company_name} → data/investment_company.jsonl 에 저장 완료.")
89
+ self.reload_last_entry()
90
+ else:
91
+ print(f"[WARN] {company_name} 생성 실패.")
92
+ else:
93
+ print(f"[INFO] {company_name} 생성 실패. 해외 투자회사일 때만 make() 실행 가능.")
94
+ return None
95
+
96
+ def get(self, company_name):
97
+ """company_name에 해당하는 데이터를 찾아 반환"""
98
+
99
+ sec_csv_path = "data/SEC_Filing_Manager.csv"
100
+ etf_csv_path = "data/ETF.csv"
101
+
102
+ # 해외 투자사인지 확인
103
+ if exists_in_sec_csv(company_name, sec_csv_path):
104
+ if not isinstance(company_name, str) or not company_name.strip():
105
+ return None
106
+ key = company_name.strip()
107
+ # 1. Exact match
108
+ if key in self._store:
109
+ return self._store[key]
110
+ # 2. Case-insensitive fallback
111
+ canonical = self._ci_index.get(key.lower())
112
+ if canonical and canonical in self._store:
113
+ return self._store[canonical]
114
+ # 3. Substring match
115
+ # Try a relaxed contains search over names if not found
116
+ # (useful for partial names like "STATE STREET")
117
+ lowered = key.lower()
118
+ candidates = [n for n in self._store.keys() if lowered in n.lower()]
119
+ if len(candidates) == 1:
120
+ return self._store[candidates[0]]
121
+ # add_percentage_to_results(company_name, "해외")
122
+
123
+ # 국내 etf인지 확인
124
+ if exists_in_etf_csv(company_name, etf_csv_path):
125
+ # add_percentage_to_results(company_name, "국내")
126
+ return
127
+
128
+ # 둘 다 아닌 경우 그냥 반환
129
+ return None
130
+
131
+
132
+ def exists_in_jsonl(company_name, jsonl_path):
133
+ """jsonl_path 파일에서 name 키가 company_name 과 동일한 항목이 있는지 확인"""
134
+ if not os.path.exists(jsonl_path):
135
+ return False
136
+ with open(jsonl_path, "r", encoding="utf-8") as f:
137
+ for line in f:
138
+ if not line.strip():
139
+ continue
140
+ try:
141
+ obj = json.loads(line)
142
+ except:
143
+ continue
144
+ if obj.get("name", "").strip().lower() == company_name.lower().strip():
145
+ return True
146
+ return False
147
+
148
+
149
+ def exists_in_sec_csv(company_name, csv_path):
150
+ """SEC_Filing_Manager.csv 파일의 NAME 열에 동일한 company_name 이 있는지 확인"""
151
+ if not os.path.exists(csv_path):
152
+ return False
153
+ df = pd.read_csv(csv_path)
154
+ if "NAME" not in df.columns:
155
+ return False
156
+ return any(df["NAME"].str.lower().str.strip() == company_name.lower().strip())
157
+
158
+
159
+ def generate_company_description(company_name, jsonl_path, ic_obj):
160
+ """투자회사 설명을 생성하여 JSONL 에 append"""
161
+ # 1. 프롬프트 생성
162
+ def generate_prompt(name):
163
+ return dedent(f"""
164
+ # 페르소나 (Persona)
165
+ - 당신은 투자 전문가용 AI 어시스턴트입니다. 개인 투자자가 기업을 쉽고 정확하게 파악할 수 있도록, 객관적인 데이터에 기반한 분석 보고서를 생성하는 역할을 맡고 있습니다.
166
+
167
+ # 지시사항 (Instruction)
168
+ - {name} 에 대해 설명을 하세요. 오직 회사에 대한 설명만 작성해주시고 개인적인 견해는 절대로 추가해선 안됩니다.
169
+
170
+ # 출력 형식 (Output Format)
171
+ - 모든 결과물은 마크다운을 사용하여 아래의 구조와 제목을 그대로 따라야 합니다.
172
+
173
+ ---
174
+
175
+ # [{name} 소개
176
+
177
+ ## 개요
178
+ **{name}** 에 대한 개요 (위치, 주요 사업 등)를 간단하게 소개합니다.
179
+ ---
180
+
181
+ ## 주요 서비스
182
+ - **자산 관리(Wealth Management)**
183
+ - 맞춤형 포트폴리오 설계 및 관리
184
+ - 인생 주기 및 금융 목표에 따른 자산 분배 전략 제공
185
+
186
+ - **투자 운용(Investment Management)**
187
+ - 주식, 채권, 대체 투자 등 다양한 자산군에 대한 직접 운용
188
+ - 위험 관리와 장기 성과에 초점을 맞춘 운용 철학
189
+
190
+ - **재무 계획(Financial Planning)**
191
+ - 은퇴 계획, 교육 자금, 세금 전략, 유산 관리 등 포괄적 재무 자문 서비스
192
+ - 고객 개개인에 특화된 재무 솔루션 제안
193
+
194
+ ---
195
+
196
+ ## 특징 및 강점
197
+ - **피듀셔리(fiduciary) 신의성실 의무**: 고객의 이익을 최우선으로 하는 피듀셔리 원칙 기반의 서비스 제공
198
+ - **글로벌 투자 경험**: 미국 및 세계 시장에 대한 폭넓은 네트워크와 통찰력 보유
199
+ - **투명성**: 운용 과정 및 수수료 구조의 투명한 공개
200
+ - **혁신적인 투자 접근법**: 지속적으로 변화하는 시장 환경에 신속히 적응하는 혁신적 전략 개발 및 운용
201
+
202
+ ## 기업의 경쟁력과 미래 가치
203
+ - **사업의 내용 (Business Model)**: 이 회사가 '무엇을', '어떻게' 만들어 '누구에게' 판매하여 수익을 창출하는지 핵심 비즈니스 모델을 설명합니다.
204
+ - **산업 분석**: 해당 기업이 속한 산업의 전반적인 동향, 성장성, 경쟁 환경 및 기업의 시장 내 위치(시장 점유율 등)를 분석합니다.
205
+ - **경영진**: 회사를 이끄는 대표이사 등 핵심 경영진의 이력이나 경영 철학, 최근 주요 결정사항을 간략히 언급합니다.
206
+ - **지배구조**: 최대주주 및 주요 주주 구성을 설명하고, 지배구조의 안정성이나 리스크 요인을 분석합니다.
207
+ - **웹사이트**: (https://www.bakerave.com) 와 같이 기업의 웹사이트 주소를 출력합니다.
208
+
209
+ ## 정보요약
210
+ - 한 줄로 {name} 의 정보를 요약합니다.
211
+ ---
212
+
213
+ # 제약 조건 (Constraints)
214
+ - 반드시 한국어로만 답변해야 합니다.
215
+ - '매수', '매도', '투자 추천' 등 직접적인 투자 권유나 개인적인 의견을 절대로 포함해서는 안 됩니다.
216
+ - 모든 정보는 금융감독원 전자공시시스템(DART), 공식 기업 홈페이지, investing.com 사이트에 기재된 객관적인 사실에 기반해야 합니다.
217
+ - 전문 용어는 일반 투자자가 이해하기 쉽게 풀어서 설명해야 합니다.
218
+ - 주어진 '출력 형식'을 절대 변경하거나 누락해서는 안 됩니다.
219
+ - 취소선과 같은 불필요한 형���은 절대 작성하지 마세요.
220
+ """)
221
+
222
+ # 2. OpenAI 요청
223
+ api_key = os.getenv("OPENAI_API_KEY")
224
+ if not api_key:
225
+ raise ValueError("환경변수 OPENAI_API_KEY 가 설정되지 않았습니다.")
226
+ client = OpenAI()
227
+ prompt = generate_prompt(company_name)
228
+ try:
229
+ response = client.responses.create(
230
+ model="gpt-5-mini",
231
+ reasoning={"effort": "low"},
232
+ input=prompt
233
+ )
234
+ description = response.output_text
235
+ except Exception as e:
236
+ print(f"[ERROR] OpenAI 요청 실패: {e}")
237
+ return None
238
+
239
+ # 3. JSONL 저장
240
+ os.makedirs(os.path.dirname(jsonl_path), exist_ok=True)
241
+ with open(jsonl_path, 'a', encoding='utf-8') as f:
242
+ json.dump({"name": company_name, "description": description}, f, ensure_ascii=False)
243
+ f.write("\n")
244
+ print(f"[INFO] {company_name}에 대한 설명을 '{jsonl_path}' 에 append 완료.")
245
+
246
+ # 4. 메모리 캐시 업데이트
247
+ if ic_obj:
248
+ ic_obj._store[company_name] = description
249
+ ic_obj._ci_index[company_name.lower()] = company_name
250
+ return description
251
+
252
+
253
+ def exists_in_etf_csv(company_name, csv_path):
254
+ """ETF.csv 파일의 NAME 열에 동일한 company_name 이 있는지 확인"""
255
+ if not os.path.exists(csv_path):
256
+ return False
257
+ df = pd.read_csv(csv_path)
258
+ if "NAME" not in df.columns:
259
+ return False
260
+ return any(df["NAME"].str.lower().str.strip() == company_name.lower().strip())
261
+
262
+
263
+ # def add_percentage_to_results(records, type):
264
+ # if(type == "해외"):
265
+ #
266
+ #
267
+ # 아래 형식으로 반환
268
+ # {
269
+ # "name": "~~",
270
+ # "description": "~~",
271
+ # "portfolio_holdings": ""
272
+ # }
273
+ # return
274
+ # if(type == "국내"):
275
+ #
276
+ #
277
+ # 아래 형식으로 반환
278
+ # {
279
+ # "name": "~~",
280
+ # "portfolio_holdings": ""
281
+ # }
282
+ # return
283
+
284
+
285
+ def append_to_json(new_records, output_path):
286
+ """JSON에 투자회사 설명을 append 저장"""
287
+ output_path = Path(output_path)
288
+ # 1. output.json 읽기
289
+ try:
290
+ with open(output_path, "r", encoding="utf-8") as f:
291
+ data = json.load(f)
292
+ except Exception:
293
+ print(f"[WARN] 기존 JSON 없음 → 신규 생성: {output_path}")
294
+ data = {}
295
+ # 2. 기존 investment_company 리스트 가져오기 또는 초기화
296
+ existing_list = data.get("investment_company")
297
+ if not isinstance(existing_list, list):
298
+ existing_list = []
299
+ # 3. 중복 체크하며 append
300
+ existing_names = {item["name"] for item in existing_list if "name" in item}
301
+ for rec in new_records:
302
+ if rec["name"] not in existing_names:
303
+ existing_list.append(rec)
304
+ # 4. 저장
305
+ data["investment_company"] = existing_list
306
+ with open(output_path, "w", encoding="utf-8") as f:
307
+ json.dump(data, f, ensure_ascii=False, indent=2)
308
+ print(f"[5/5] {output_path} 업데이트 완료.\n")
309
+
310
+
311
+ def main():
312
+ parser = argparse.ArgumentParser(description="사용자와 유사한 투자회사 정보 - 검색 및 생성 도구 ")
313
+ parser.add_argument("--name", type=str, nargs="+", default=["GEODE CAPITAL MANAGEMENT, LLC"])
314
+ parser.add_argument("--data", type=str, default="/work/portfolio/data/investment_company.jsonl")
315
+ parser.add_argument("--output", type=str, default="output.json")
316
+ args = parser.parse_args()
317
+
318
+ # --- 1. args 확인 ---
319
+ print("[1/5] 인자(args) 확인.")
320
+ print(f"[INFO] --name {args.name}")
321
+ print(f"[INFO] --data {args.data}")
322
+ print(f"[INFO] --output {args.output}\n")
323
+
324
+ # --- 2. 객체 생성 ---
325
+ ic = investment_company(args.data)
326
+ print("[2/5] investment_company 객체 생성 완료.\n")
327
+
328
+ # --- 3. make 함수 실행 ---
329
+ print("[3/5] make() 실행.")
330
+ for nm in args.name:
331
+ ic.make(nm, args.data)
332
+ print()
333
+
334
+ # --- 4. get 함수 실행 ---
335
+ records = []
336
+ print("[4/5] get() 실행.")
337
+ for nm in args.name:
338
+ print(f"[INFO] 처리 중: {nm}")
339
+ record = ic.get(nm)
340
+ if isinstance(record, dict):
341
+ print(f"[INFO] {record['name']} 설명 조회 성공.")
342
+ records.append(record)
343
+ else:
344
+ print(f"[WARN] '{nm}' 의 description 찾지 못함.")
345
+ print()
346
+
347
+ # --- 5. 저장 ---
348
+ # final_records = add_percentage_to_results(records)
349
+ append_to_json(records, args.output)
350
+
351
+
352
+ if __name__ == "__main__":
353
+ main()
make_investment_company_description.py ADDED
@@ -0,0 +1,141 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ import pandas as pd
2
+ import json
3
+ from openai import OpenAI
4
+ from textwrap import dedent
5
+ from concurrent.futures import ThreadPoolExecutor
6
+
7
+
8
+ # -----------------------------
9
+ # 1. 데이터 로드
10
+ # -----------------------------
11
+ def load_name_list(csv_path: str):
12
+ df = pd.read_csv(csv_path)
13
+ return df['NAME'].tolist()
14
+
15
+
16
+ # -----------------------------
17
+ # 2. 프롬프트 생성
18
+ # -----------------------------
19
+ def generate_prompt(name: str) -> str:
20
+ return dedent(f"""
21
+ # 페르소나 (Persona)
22
+ - 당신은 투자 전문가용 AI 어시스턴트입니다. 개인 투자자가 기업을 쉽고 정확하게 파악할 수 있도록, 객관적인 데이터에 기반한 분석 보고서를 생성하는 역할을 맡고 있습니다.
23
+
24
+ # 지시사항 (Instruction)
25
+ - {name} 에 대해 설명을 하세요. 오직 회사에 대한 설명만 작성해주시고 개인적인 견해는 절대로 추가해선 안됩니다.
26
+
27
+ # 출력 형식 (Output Format)
28
+ - 모든 결과물은 마크다운을 사용하여 아래의 구조와 제목을 그대로 따라야 합니다.
29
+
30
+ ---
31
+
32
+ # [{name} 소개
33
+
34
+ ## 개요
35
+ **{name}** 에 대한 개요 (위치, 주요 사업 등)를 간단하게 소개합니다.
36
+ ---
37
+
38
+ ## 주요 서비스
39
+ - **자산 관리(Wealth Management)**
40
+ - 맞춤형 포트폴리오 설계 및 관리
41
+ - 인생 주기 및 금융 목표에 따른 자산 분배 전략 제공
42
+
43
+ - **투자 운용(Investment Management)**
44
+ - 주식, 채권, 대체 투자 등 다양한 자산군에 대한 직접 운용
45
+ - 위험 관리와 장기 성과에 초점을 맞춘 운용 철학
46
+
47
+ - **재무 계획(Financial Planning)**
48
+ - 은퇴 계획, 교육 자금, 세금 전략, 유산 관리 등 포괄적 재무 자문 서비스
49
+ - 고객 개개인에 특화된 재무 솔루션 제안
50
+
51
+ ---
52
+
53
+ ## 특징 및 강점
54
+ - **피듀셔리(fiduciary) 신의성실 의무**: 고객의 이익을 최우선으로 하는 피듀셔리 원칙 기반의 서비스 제공
55
+ - **글로벌 투자 경험**: 미국 및 세계 시장에 대한 폭넓은 네트워크와 통찰력 보유
56
+ - **투명성**: 운용 과정 및 수수료 구조의 투명한 공개
57
+ - **혁신적인 투자 접근법**: 지속적으로 변화하는 시장 환경에 신속히 적응하는 혁신적 전략 개발 및 운용
58
+
59
+ ## 기업의 경쟁력과 미래 가치
60
+ - **사업의 내용 (Business Model)**: 이 회사가 '무엇을', '어떻게' 만들어 '누구에게' 판매하여 수익을 창출하는지 핵심 비즈니스 모델을 설명합니다.
61
+ - **산업 분석**: 해당 기업이 속한 산업의 전반적인 동향, 성장성, 경쟁 환경 및 기업의 시장 내 위치(시장 점유율 등)를 분석합니다.
62
+ - **경영진**: 회사를 이끄는 대표이사 등 핵심 경영진의 이력이나 경영 철학, 최근 주요 결정사항을 간략히 언급합니다.
63
+ - **지배구조**: 최대주주 및 주요 주주 구성을 설명하고, 지배구조의 안정성이나 리스크 요인을 분석합니다.
64
+ - **웹사이트**: (https://www.bakerave.com) 와 같이 기업의 웹사이트 주소를 출력합니다.
65
+
66
+ ## 정보요약
67
+ - 한 줄로 {name} 의 정보를 요약합니다.
68
+ ---
69
+
70
+ # 제약 조건 (Constraints)
71
+ - 반드시 한국어로만 답변해야 합니다.
72
+ - '매수', '매도', '투자 추천' 등 직접적인 투자 권유나 개인적인 의견을 절대로 포함해서는 안 됩니다.
73
+ - 모든 정보는 금융감독원 전자공시시스템(DART), 공식 기업 홈페이지, investing.com 사이트에 기재된 객관적인 사실에 기반해야 합니다.
74
+ - 전문 용어는 일반 투자자가 이해하기 쉽게 풀어서 설명해야 합니다.
75
+ - 주어진 '출력 형식'을 절대 변경하거나 누락해서는 안 됩니다.
76
+ - 취소선과 같은 불필요한 형식은 절대 작성하지 마세요.
77
+ """)
78
+
79
+
80
+ # -----------------------------
81
+ # 3. OpenAI 요청
82
+ # -----------------------------
83
+ client = OpenAI(api_key="")
84
+
85
+ def openai_request(name: str, prompt: str):
86
+ try:
87
+ response = client.responses.create(
88
+ model="gpt-5-mini",
89
+ reasoning={"effort": "low"},
90
+ input=prompt
91
+ )
92
+ return name, response.output_text
93
+ except Exception as e:
94
+ return name, f"[ERROR] {e}"
95
+
96
+
97
+ # -----------------------------
98
+ # 4. JSONL 저장
99
+ # -----------------------------
100
+ def append_jsonl(file_path: str, data: dict):
101
+ with open(file_path, 'a', encoding='utf-8') as f:
102
+ json.dump(data, f, ensure_ascii=False)
103
+ f.write('\n')
104
+
105
+
106
+ # -----------------------------
107
+ # 5. 메인 실행 함수
108
+ # -----------------------------
109
+ def main():
110
+ src_csv = 'INVEST_NAME2.csv'
111
+ out_file = 'openai_output.jsonl'
112
+
113
+ name_list = load_name_list(src_csv)
114
+ print(f"'{out_file}' 파일에 데이터를 추가합니다.")
115
+
116
+ with ThreadPoolExecutor(max_workers=10) as executor:
117
+ futures = []
118
+
119
+ for name in name_list:
120
+ print(f"Processing '{name}'...")
121
+ prompt = generate_prompt(name)
122
+ futures.append(executor.submit(openai_request, name, prompt))
123
+
124
+ for future in futures:
125
+ name, report_text = future.result()
126
+
127
+ print(f"[완료] {name}")
128
+
129
+ append_jsonl(out_file, {
130
+ "name": name,
131
+ "description": report_text
132
+ })
133
+
134
+ print(f"{out_file} 에 저장 완료")
135
+
136
+
137
+ # -----------------------------
138
+ # 6. Entry Point
139
+ # -----------------------------
140
+ if __name__ == '__main__':
141
+ main()
output.json ADDED
The diff for this file is too large to render. See raw diff
 
output_example.json ADDED
The diff for this file is too large to render. See raw diff
 
portfolio.py ADDED
@@ -0,0 +1,510 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ import argparse
2
+ import json
3
+ import os
4
+ from datetime import datetime
5
+ from openai import OpenAI
6
+
7
+ client = OpenAI()
8
+
9
+ # 원문 지시 프롬프트
10
+ INSTRUCT_PROMPT_TEMPLATE = """
11
+ 당신은 전문 투자 포트폴리오 분석가입니다.
12
+ {user_name} 님의 투자 성향과 실제 보유 주식 포트폴리오를 기반으로,
13
+ 리포트는 아래의 `# 입력 데이터`, `# 리포트 작성 규칙`, `# 리포트 구조`를 위반해서는 안 됩니다.
14
+ 내용은 반드시 입력 데이터에 의해 동적으로 생성되어야 하며,
15
+ 지침·규칙·프롬프트에 대한 언급은 리포트 본문에 포함되어서는 안 됩니다.
16
+
17
+
18
+ # 입력 데이터
19
+ 1. used_user.csv: 사용자 포트폴리오 목록 (종목코드, 종목명, 매입주가, 보유주식수)
20
+ 2. data.json
21
+ - user: 사용자 포트폴리오 상세 정보 (종목코드, 종목명, 매입주가, 보유주식수, 현재주가, 수익률, 현재자산)
22
+ - similar_investors: 사용자와 가장 유사한 투자회사의 포트폴리오
23
+ - ['qty_top5']: 보유 주식수 기준, 상위 5개 종목
24
+ - ['ratio_top5']: 자산 비중 기준, 상위 5개 종목
25
+ - investment_company: 사용자와 가장 유사한 투자회사에 대한 설명 텍스트
26
+ - industry_info: 종목별 산업군
27
+ - theme_info: 종목별 테마
28
+ - stock_price: 종목별 최근 1달 주가
29
+ - stock_news: 종목별 최근 1달 뉴스/이슈 요약
30
+
31
+
32
+ # 리포트 작성 규칙
33
+ 1. 유창한 한국어 사용, 전문가적 문체 유지, 일반 사용자도 이해하기 쉽게 작성
34
+ 2. 모든 문장은 반드시 ‘–습니다’ 체로 마무리
35
+ 3. 단답형 또는 나열식 문장 금지
36
+ - 친절하고 설명형 문장 구조 사용
37
+ - 문장은 불필요하게 길지 않게 유지
38
+ 4. 수치 기반 비교 반드시 포함
39
+ - 비중, 보유 종목 수, 수익률 차이, 업종·테마 비중 등
40
+ 5. 모든 설명·근거는 반드시 입력 데이터 기반
41
+ 6. 마크다운 표 사용 및 전체 섹션 구조 고정
42
+ - '##' 마다 ‘---’ 구분선 사용
43
+ 7. '종목별 상세 분석' 섹션에서는
44
+ - 5개의 핵심 키워드 제시
45
+ 8. 사용자와 투자회사를 비교하는 `투자 차별성` 섹션에서는
46
+ - 반드시 두 회사 기준으로 각각 비교해 **두 번 출력**
47
+ - 첫 번째 블록: 투자회사 A 기준 비교
48
+ - 전체 구조: ① 귀하와 비슷한 투자회사 분석 ② 투자회사 상세 설명 ③ 테마 전략 공통점 ④ 관심 산업 공통점 ⑤ 요약
49
+ - 두 번째 블록: 투자회사 B 기준 비교
50
+ - 전체 구조 동일하게 ①~⑤까지 반복
51
+ - 형식과 문장 구조는 항상 동일하게 유지
52
+ - 각 블록 내 항목 번호와 순서는 절대 변경 금지
53
+ - 출력 시 두 블록 사이에 불필요한 추가 문장이나 설명은 포함하지 않음
54
+ 9. 리포트 본문에 지침·규칙·프롬프트 관련 표현 절대 금지
55
+ 10. 아래 `# 리포트 구조`의 순서를 어떤 경우에도 변경 금지
56
+ 11. 통화 단위는 종목에 따라 알맞은 통화 단위로 사용
57
+ 12. 날짜를 언급하는 모든 경우는 다음 HTML 형식을 엄격히 준수하여 해당 문장 마지막에 삽입
58
+ - 형식: `<span style='color: #888; font-size: 0.8em;'>(YYYY-MM-DD)</span>`
59
+
60
+
61
+ # 리포트 구조
62
+ # {user_name} 님의 투자 성향 기반 분석 리포트
63
+
64
+ <span style='color: #888; font-size: 0.8em;'>({date})</span>
65
+
66
+ ## {user_name} 님의 투자 현황
67
+
68
+ | 종목코드 | 종목명 | 현재주가 | 매입주가 | 보유주식수 | 현재 자산 | 수익률 |
69
+ |------|------|-------|-------|-------|----------|-------|
70
+ | {{티커}} | {{종목명}} | {{(₩ 또는 $) 현재주가}} | {{(₩ 또는 $) 매입주가}} | {{보유주식수}} | {{(₩ 또는 $) 현재자산}} | {{수익률}} |
71
+
72
+ ```
73
+ 이 부분은 위 표와 관련된 지시사항으로 출력하지 않는다.
74
+ 위 표는 입력된 포트폴리오 데이터를 기반으로 작성한다.
75
+ - 모든 종목의 금액 정보(현재주가, 매입주가, 현재자산, 수익률)는 **해당 종목의 실제 통화 단위**를 사용한다. (KRW → ₩, USD → $)
76
+ - 표 구조와 컬럼명은 **절대 변경하지 않는다**.
77
+ ```
78
+
79
+ **총 투자 금액**: {{통화단위}}
80
+ ```
81
+ 이 부분은 지시사항으로 출력하지 않는다.
82
+ user의 모든 '현재자산' 값을 정확히 합산하라.
83
+ 반드시 다음 규칙을 지킨다:
84
+ 1) 계산 전, 모든 현재자산 숫자를 그대로 다시 적어 인식한다.
85
+ 2) 절대 추정하지 말고 입력 숫자만 사용한다.
86
+ 3) 숫자를 순차적으로 더한다.
87
+ 4) 일의 자리까지 값을 한번 더 확인한다.
88
+ 5) 최종 합계만 {{통화단위}} 뒤에 출력한다.
89
+ ```
90
+ ---
91
+
92
+ ## {user_name} 님의 투자 성향 분석 요약
93
+ ### 포트폴리오 종합 평가
94
+
95
+ 입력 데이터를 기반으로 현재 포트폴리오 구조와 특징을 평가하십시오.
96
+ 출력은 하나의 단락으로 작성하며, **각 문장은 줄바꿈(\n)으로 구분**합니다. 6문장 이내로 작성합니다.
97
+
98
+ 포트폴리오 종합 평가는 다음 요소 중심으로 작성하십시오.
99
+ - 종목별 비중과 상위 집중도, 전체 자산 배분 균형
100
+ - 최근 1달 가격 변동성과 뉴스 기반 리스크 요인
101
+ - 산업군·테마 비중 및 집중도, 업종 다변성
102
+ **(비중을 계산할 때는 어떤 것에 대한 비중인지(예: 총 투자 금액 대비)를 명확히 제시하고, 제시된 기준에 따라 % 값을 정확히 계산하세요. 계산 과정은 출력에 포함하지 마세요.)**
103
+
104
+ 모든 설명은 **실제 데이터에 근거**해야 하며, 미래 예측이나 예상 표현은 절대 포함하지 않습니다.
105
+ 핵심 내용만 압축하여 작성하며, 포트폴리오 특징과 {user_name} 님의 투자 성향 평가를 자연스럽게 연결하십시오.
106
+
107
+ ---
108
+
109
+ ## 전문가 투자 전략에서 도움얻기
110
+ ### ① 귀하와 비슷한 투자회사 분석
111
+ {user_name} 님이 보유한 주식 중에서 각 종목의 주식수가 유사합니다.
112
+ {{qty_top5의 투자회사명}} 의 투자 스타일과 자산 배분 패턴이 유사합니다.
113
+
114
+ ### ② 투자회사 상세 설명
115
+ {{투자회사 기본정보 설명}}
116
+
117
+ ### ③ 테마 전략 공통점
118
+ 입력된 used_user.csv, theme_info와 similar_investors 데이터를 활용하여
119
+ 투자회사와 사용자가 공유하는 테마 전략의 공통점을 하나의 짧은 단락으로 작성하십시오.
120
+ 단락은 총 3개의 요소를 반드시 포함해야 하며, 각 요소는 아래 역할을 그대로 따릅니다.
121
+
122
+ 1) 투자회사의 테마 전략 설명
123
+ - “투자회사는 {{테마A}}, {{테마B}} 중심의 테마 전략을 보유합니다. 이는 {{전략적 특징}}입니다.”
124
+ 형태로 작성하며, 두 테마와 해당 테마의 전략적 성격을 간단하고 명확하게 기술합니다.
125
+
126
+ 2) 사용자의 테마 노출 설명
127
+ - “사용자는 보유 종목 중 {{종목명}}이 {{테마A}}, {{테마C}} 등에 관련되어 있습니다.”
128
+ 형태로 작성하며, 사용자 포트폴리오에서 실제 테마가 어떻게 나타나는지를 데이터 기반으로 설명합니다.
129
+
130
+ 3) 두 포트폴리오의 공통점 결론
131
+ - “이 두 포트폴리오는 {{테마A}}를 중심으로 유사한 테마 흐름을 공유합니다.”
132
+ 형태로 작성하며, 공통되는 테마만 언급하고 차이점·조정 필요성·미래 전망은 절대 언급하지 않습니다.
133
+
134
+ 전체 출력은 위 3가지 요소가 순서대로 포함된 **단일 단락**이어야 하며,
135
+ 미래 예측 표현 없이 현재 관찰 가능한 요소만 간결하게 서술하십시오.
136
+
137
+ ### ④ 관심 산업 공통점
138
+ used_user.csv, industry_info와 similar_investors 데이터를 기반으로
139
+ 투자회사와 사용자의 산업군 공통점을 하나의 짧은 단락으로 작성하십시오.
140
+ 단락은 반드시 아래 3가지 요소를 포함합니다.
141
+
142
+ 1) 투자회사의 산업 비중 설명
143
+ - “투자회사는 {{산업군A}}, {{산업군B}} 중심의 산업 비중을 보유합니다. 이는 {{산업적 특징}}을 보여줍니다.”
144
+ 형태로 작성하며 현재 산업군 구성의 의미를 간단히 기술합니다.
145
+
146
+ 2) 사용자의 산업군 노출 설명
147
+ - “사용자는 보유 종목 중 {{종목명}}이 {{산업군A}} 또는 관련 산업군에 속합니다.”
148
+ 형태로 작성하여 사용자 포트폴리오의 산업 노출을 보여줍니다.
149
+
150
+ 3) 두 포트폴리오의 공통점 결론
151
+ - “이 두 포트폴리오는 {{산업군A}}를 중심으로 산업적 공통점을 형성합니다.”
152
+ 형태로 작성하며, 차이점이나 미래 전망은 언급하지 않습니다.
153
+
154
+ 출력은 반드시 **하나의 단락**이어야 하며,
155
+ 3가지 요소는 순서를 지켜 포함하고,
156
+ 미래 예측·추측 문구 없이 현재 데이터 기반의 설명만 작성하십시오.
157
+
158
+ ---
159
+
160
+ ### ① 귀하와 비슷한 투자회사 분석
161
+ {user_name} 님이 보유한 주식 중에서 상위 종목의 구성이 유사합니다.
162
+ {{ratio_top5의 투자회사명}} 의 투자 스타일과 보유한 주요 테마가 유사합니다.
163
+
164
+ ### ② 투자회사 상세 설명
165
+ {{투자회사 기본정보 설명}}
166
+
167
+ ### ③ 테마 전략 공통점
168
+ 입력된 used_user.csv, theme_info와 similar_investors 데이터를 활용하여
169
+ 투자회사와 사용자가 공유하는 테마 전략의 공통점을 하나의 짧은 단락으로 작성하십시오.
170
+ 단락은 총 3개의 요소를 반드시 포함해야 하며, 각 요소는 아래 역할을 그대로 따릅니다.
171
+
172
+ 1) 투자회사의 테마 전략 설명
173
+ - “투자회사는 {{테마A}}, {{테마B}} 중심의 테마 전략을 보유합니다. 이는 {{전략적 특징}}입니다.”
174
+ 형태로 작성하며, 두 테마와 해당 테마의 전략적 성격을 간단하고 명확하게 기술합니다.
175
+
176
+ 2) 사용자의 테마 노출 설명
177
+ - “사용자는 보유 종�� 중 {{종목명}}이 {{테마A}}, {{테마C}} 등에 관련되어 있습니다.”
178
+ 형태로 작성하며, 사용자 포트폴리오에서 실제 테마가 어떻게 나타나는지를 데이터 기반으로 설명합니다.
179
+
180
+ 3) 두 포트폴리오의 공통점 결론
181
+ - “이 두 포트폴리오는 {{테마A}}를 중심으로 유사한 테마 흐름을 공유합니다.”
182
+ 형태로 작성하며, 공통되는 테마만 언급하고 차이점·조정 필요성·미래 전망은 절대 언급하지 않습니다.
183
+
184
+ 전체 출력은 위 3가지 요소가 순서대로 포함된 **단일 단락**이어야 하며,
185
+ 미래 예측 표현 없이 현재 관찰 가능한 요소만 간결하게 서술하십시오.
186
+
187
+ ### ④ 관심 산업 공통점
188
+ used_user.csv, industry_info와 similar_investors 데이터를 기반으로
189
+ 투자회사와 사용자의 산업군 공통점을 하나의 짧은 단락으로 작성하십시오.
190
+ 단락은 반드시 아래 3가지 요소를 포함합니다.
191
+
192
+ 1) 투자회사의 산업 비중 설명
193
+ - “투자회사는 {{산업군A}}, {{산업군B}} 중심의 산업 비중을 보유합니다. 이는 {{산업적 특징}}을 보여줍니다.”
194
+ 형태로 작성하며 현재 산업군 구성의 의미를 간단히 기술합니다.
195
+
196
+ 2) 사용자의 산업군 노출 설명
197
+ - “사용자는 보유 종목 중 {{종목명}}이 {{산업군A}} 또는 관련 산업군에 속합니다.”
198
+ 형태로 작성하여 사용자 포트폴리오의 산업 노출을 보여줍니다.
199
+
200
+ 3) 두 포트폴리오의 공통점 결론
201
+ - “이 두 포트폴리오는 {{산업군A}}를 중심으로 산업적 공통점을 형성합니다.”
202
+ 형태로 작성하며, 차이점이나 미래 전망은 언급하지 않습니다.
203
+
204
+ 출력은 반드시 **하나의 단락**이어야 하며,
205
+ 3가지 요소는 순서를 지켜 포함하고,
206
+ 미래 예측·추측 문구 없이 현재 데이터 기반의 설명만 작성하십시오.
207
+
208
+ ---
209
+
210
+ ## 종목별 상세 분석
211
+ ### {{티커}} ({{종목명}}, {{업종명}})
212
+ ### ① 최근 주가 흐름
213
+ {{2~3문장}}
214
+ ```
215
+ 이 부분은 ### ① 최근 주가 흐름에 대한 지시사항이다.
216
+ 최근 1개월간의 주가 데이터를 기반으로 전체 흐름을 설명하라.
217
+ 규칙:
218
+ 1) ‘주요 가격대’는 반드시 제공된 ‘현재 주가’ 값을 그대로 인용한다.
219
+ 2) 화폐 단위(ex. USD)를 사용하며, 숫자를 반올림하거나 임의로 수정하지 않는다.
220
+ 3) 제공된 한 달치 데이터 범위 안에서만 상승·하락 추세를 분석한다.
221
+ 4) 존재하지 않는 가격대, 날짜, 패턴을 만들어내지 않는다.
222
+ 5) 주가 흐름만 설명하며, 수익률 등 다른 설명은 하지 않는다.
223
+ 6) 이해하기 쉽고 직관적인 표현을 사용한다.
224
+ ```
225
+ ### ② 주요 뉴스
226
+ {{2~3문장}}
227
+ ### ③ 긍정 포인트
228
+ {{2~3문장}}
229
+ ### ④ 우려사항
230
+ {{2~3문장}}
231
+ ### 핵심 키워드
232
+
233
+ ex.
234
+ ### ABBV (AbbVie, 제약/바이오)
235
+ ### ① 최근 주가 흐름
236
+ 6월 들어 ABBV는 **190 USD**선을 상회하며 강세를 보였으나, 6월 하순 들어 **185 USD** 초반까지 조정받는 흐름입니다. 연초 대비로는 7% 이상 상승하며 견조한 성과를 유지하고 있으나, 6월 말 단기적으로 변동성이 확대되었습니다.
237
+ ### ② 주요 뉴스
238
+ FDA가 간염치료제 Mavyret의 사용 연령을 3세 이상으로 확대 승인하였고, 면역학 및 건선 치료 시장에서 RINVOQ·Skyrizi 등 주요 신제품의 성장세가 두드러지고 있습니다. 또한 Capstan Therapeutics 인수 등으로 자가면역질환 포트폴리오 강화가 이루어지고 있으며, 종양학 신약 개발에도 적극적입니다. 한편, 혈액암 치료제 임상 실패로 단기적으로 주가가 하락하기도 했습니다. 분기 배당은 지속적으로 지급되고 있습니다.
239
+ ### ③ 긍정 포인트
240
+ 혁신 신약 개발과 파이프라인 다각화, 기존 블록버스터 약물의 특허만료 이후에도 신제품으로 매출 회복. 안정적 배당(3.5% 수익률)과 업계 내 선도적 입지, 전략적 투자 확대, 주요 애널리스트들의 매수 의견 등이 지속적인 강점입니다.
241
+ ### ④ 우려사항
242
+ 신약 임상 실패 및 경쟁 심화, 정책 리스크(예: 약가 할인 법안), 바이오 산업 특유의 변동성, 특허만료에 따른 기존 주력 품목의 매출 둔화 가능성 등이 존재합니다.
243
+ #혁신_신약 #고성장 #배당주 #바이오테크 #임상_성공_실패 #정책_리스크 #전략적_인수
244
+
245
+ ---
246
+
247
+ ## 투자 차별성
248
+ ### ① 귀하와 비슷한 투자회사 분석
249
+ {user_name} 님이 보유한 주식 중에서 각 종목의 주식수가 유사합니다.
250
+ {{qty_top5의 투자회사명}} 의 투자 스타일과 자산 배분 패턴이 유사합니다.
251
+
252
+ ### ② 테마 전략 차이점
253
+ 입력된 used_user.csv, theme_info와 similar_investors 데이터를 활용하여
254
+ 투자회사와 사용자가 공유하는 테마 전략의 차이점을 하나의 ��은 단락으로 작성하십시오.
255
+ 차이점이 잘 드러나도록 작성하세요.
256
+ 단락은 총 2개의 요소를 반드시 포함해야 하며, 각 요소는 아래 역할을 그대로 따릅니다.
257
+
258
+ 1) 투자회사의 테마 전략 설명
259
+ - “투자회사는 {{테마A}}, {{테마B}} 중심의 테마 전략을 보유합니다. 이는 {{전략적 특징}}입니다.”
260
+ 형태로 작성하며, 두 테마와 해당 테마의 전략적 성격을 간단하고 명확하게 기술합니다.
261
+
262
+ 2) 사용자의 테마 노출 설명
263
+ - “반면 사용자는 보유 종목 중 {{종목명}}이 {{테마A}}, {{테마C}} 등에 관련되어 있습니다.”
264
+ 형태로 작성하며, 사용자 포트폴리오에서 실제 테마가 어떻게 나타나는지를 데이터 기반으로 설명합니다.
265
+
266
+ 전체 출력은 위 2가지 요소가 순서대로 포함된 **단일 단락**이어야 하며,
267
+ 공통점과 미래 예측 표현 없이 현재 관찰 가능한 요소만 간결하게 서술하십시오.
268
+
269
+ ### ③ 관심 산업 차이점
270
+ used_user.csv, industry_info와 similar_investors 데이터를 기반으로
271
+ 투자회사와 사용자의 산업군 차이점을 하나의 짧은 단락으로 작성하십시오.
272
+ 단락은 반드시 아래 2가지 요소를 포함합니다.
273
+
274
+ 1) 투자회사의 산업 비중 설명
275
+ - “투자회사는 {{산업군A}}, {{산업군B}} 중심의 산업 비중을 보유합니다. 이는 {{산업적 특징}}을 보여줍니다.”
276
+ 형태로 작성하며 현재 산업군 구성의 의미를 간단히 기술합니다.
277
+
278
+ 2) 사용자의 산업군 노출 설명
279
+ - “사용자는 보유 종목 중 {{종목명}}이 {{산업군A}} 또는 관련 산업군에 속합니다.”
280
+ 형태로 작성하여 사용자 포트폴리오의 산업 노출을 보여줍니다.
281
+
282
+ 출력은 반드시 **하나의 단락**이어야 하며,
283
+ 2가지 요소는 순서를 지켜 포함하고,
284
+ 공통점과 미래 예측·추측 문구 없이 현재 데이터 기반의 설명만 작성하십시오.
285
+
286
+ ### ④ 투자전략 비교
287
+ #### 성공한 리스크 헤지 전략
288
+ {{투자 회사의 실제 손실 종목을 선정하십시오. **[기준일]**을 바탕으로 **[기간]** 동안 **[얼만큼($\%$)]**의 손해를 입었는지 구체적인 수치를 제시하고, 손실 발생의 주요 **[이유]**를 설명하십시오.}}
289
+ 하지만 {user_name} 님의 포트폴리오에는 해당 종목이 없어, 해당 구간의 손실을 피한 점은 긍정적입니다.
290
+
291
+ #### 벤치마킹 가능성이 있는 투자 전략
292
+ {{투자 회사의 실제 수익 종목을 선정하십시오. **[기준일]**을 바탕으로 **[기간]** 동안 **[얼만큼($\%$)]**의 이익을 얻었는지 구체적인 수치를 제시하고, 수익 발생의 주요 **[이유]**를 설명하십시오.}}
293
+ 그러나 두 종목은 {user_name} 님의 포트폴리오에 포함되지 않아, 이 상승 흐름이 반영되지 못한 점은 아쉬운 부분입니다.
294
+
295
+ ### ⑤ 요약
296
+ 하나의 단락으로 작성하며, 실제 데이터 기반으로 과거 포트폴리오 특징을 서술합니다.
297
+ - 전체 요약 및 전략 안내:
298
+ - {user_name} 님의 포트폴리오는 {{종목별 비중과 상위 집중도, 최근 1달 가격 변동성 및 뉴스 리스크, 산업군·테마 구성 등에서 이러한}} 특징이 있습니다.
299
+ - {{앞에서 한 분석 토대로 구체적인 전략 제시}} 방안을 검토해 보신 적은 있으신가요?
300
+ - 나인메모스는 {user_name} 님의 시간을 절약하여 더 많은 정보와 기회를 찾아드리는 것이 목표입니다. 어떠한 종류의 투자 권유 또는 제안도 하지 않습니다.
301
+
302
+ ---
303
+
304
+ ### ① 귀하와 비슷한 투자회사 분석
305
+ {user_name} 님이 보유한 주식 중에서 상위 종목의 구성이 유사합니다.
306
+ {{ratio_top5의 투자회사명}} 의 투자 스타일과 보유한 주요 테마가 유사합니다.
307
+
308
+ ### ② 테마 전략 차이점
309
+ 입력된 used_user.csv, theme_info와 similar_investors 데이터를 활용하여
310
+ 투자회사와 사용자가 공유하는 테마 전략의 차이점을 하나의 짧은 단락으로 작성하십시오.
311
+ 단락은 총 2개의 요소를 반드시 포함해야 하며, 각 요소는 아래 역할을 그대로 따릅니다.
312
+
313
+ 1) 투자회사의 테마 전략 설명
314
+ - “투자회사는 {{테마A}}, {{테마B}} 중심의 테마 전략을 보유합니다. 이는 {{전략적 특징}}입니다.”
315
+ 형태로 작성하며, 두 테마와 해당 테마의 전략적 성격을 간단하고 명확하게 기술합니다.
316
+
317
+ 2) 사용자의 테마 노출 설명
318
+ - “사용자는 보유 종목 중 {{종목명}}이 {{테마A}}, {{테마C}} 등에 관련되어 있습니다.”
319
+ 형태로 작성하며, 사용자 포트폴리오에서 실제 테마가 어떻게 나타나는지를 데이터 기반으로 설명합니다.
320
+
321
+ 전체 출력은 위 2가지 요소가 순서대로 포함된 **단일 단락**이어야 하며,
322
+ 공통점과 미래 예측 표현 없이 현재 관찰 가능한 요소만 간결하게 서술하십시오.
323
+
324
+ ### ③ 관심 산업 차이점
325
+ used_user.csv, industry_info와 similar_investors 데이터를 기반으로
326
+ 투자회사와 사용자의 산업군 차이점을 하나의 짧은 단락으로 작성하십시오.
327
+ 차이점이 잘 드러나도록 작성하세요.
328
+ 단락은 반드시 아래 2가지 요소를 포함합니다.
329
+
330
+ 1) 투자회사의 산업 비중 설명
331
+ - “투자회사는 {{산업군A}}, {{산업군B}} 중심의 산업 비중을 보유합니다. 이는 {{산업적 특징}}을 보여줍니다.”
332
+ 형태로 작성하며 현재 산업군 구성의 의미를 간단히 기술합니다.
333
+
334
+ 2) 사용자의 산업군 노출 설명
335
+ - “사용자는 보유 종목 중 {{종목명}}이 {{산업군A}} 또는 관련 산업군에 속합니다.”
336
+ 형태로 작성하여 사용자 포트폴리오의 산업 노출을 보여줍니다.
337
+
338
+ 출력은 반드시 **하나의 단락**이어야 하며,
339
+ 2가지 요소는 순서를 지켜 포함하고,
340
+ 공통점과 미래 예측·추측 문구 없이 현재 데이터 기반의 설명만 작성하십시오.
341
+
342
+ #### 성공한 리스크 헤지 전략
343
+ {{투자 회사의 실제 손실 종목을 선정하십시오. **[기준일]**을 바탕으로 **[기간]** 동안 **[얼만큼($\%$)]**의 손해를 입었는지 구체적인 수치를 제시하고, 손실 발생의 주요 **[이유]**를 설명하십시오.}}
344
+ 하지만 {user_name} 님의 포트폴리오에는 해당 종목이 없어, 해당 구간의 손실을 피한 점은 긍정적입니다.
345
+
346
+ #### 벤치마킹 가능성이 있는 투자 전략
347
+ {{투자 회사의 실제 수익 종목을 선정하십시오. **[기준일]**을 바탕으로 **[기간]** 동안 **[얼만큼($\%$)]**의 이익을 얻었는지 구체적인 수치를 제시하고, 수익 발생의 주요 **[이유]**를 설명하십시오.}}
348
+ 그러나 두 종목은 {user_name} 님의 포트폴리오에 포함되지 않아, 이 상승 흐름이 반영되지 못한 점은 아쉬운 부분입니다.
349
+
350
+ ### ⑤ 요약
351
+ 하나의 단락으로 작성하며, 실제 데이터 기반으로 과거 포트폴리오 특징을 서술합니다.
352
+ - 전체 요약 및 전략 안내:
353
+ - {user_name} 님의 포트폴리오는 {{종목별 비중과 상위 집중도, 최근 1달 가격 변동성 및 뉴스 리스크, 산업군·테마 구성 등에서 이러한}} 특징이 있습니다.
354
+ - {{앞에서 한 분석 토대로 구체적인 전략 제시}} 방안을 검토해 보신 적은 있으신가요?
355
+ - 나인메모스는 {user_name} 님의 시간을 절약하여 더 많은 정보와 기회를 찾아드리는 것이 목표입니다. 어떠한 종류의 투자 권유 또는 제안도 하지 않습니다.
356
+
357
+ ---
358
+
359
+ ## 상황 및 전략
360
+ ### 성장주 · 테마주를 적극 선호한다면
361
+ (규칙에 따라 3문단, 문단 당 2문장, 문단 간 공백 포함)
362
+
363
+ ### 안정적인 자산배분을 중시한다면
364
+ (규칙에 따라 3문단, 문단 당 2문장, 문단 간 공백 포함)
365
+
366
+ ### 리스크 관리가 중요한 보수적인 투자자라면
367
+ (규칙에 따라 3문단, 문단 당 2문장, 문단 간 공백 포함)
368
+
369
+ ### 가치주 중심의 중장기 보유를 선호한다면
370
+ (규칙에 따라 3문단, 문단 당 2문장, 문단 간 공백 포함)
371
+
372
+ ```
373
+ 이 부분은 위 `## 상황 및 전략` 출력과 관련된 지시사항으로 출력하지 않습니다.
374
+ 모든 문장은 '-습니다.'체로 작성
375
+ 개조식, 번호 매기는 방식은 사용 불가
376
+ 각 투자성향마다 3가지 전략적 옵션을 제시
377
+ 3가지 전략마다 문장마다 대표 종목과 최근 긍정 이슈 등을 언급해 설명 보충 (예: 대표 종목 MSFT와 같은 경우, )
378
+ 각 투자성향마다 6문장으로 작성
379
+ 직접적인 권고 표현은 사용하지 않고 추천, 제안 표현을 사용
380
+ 출력 지침과 관련된 내용 출력 금지
381
+ 문장 앞에 기호 사용 금지 (예: - ~~~~)
382
+ ```
383
+
384
+ <span style='color: #888; font-size: 0.8em;'>({date})</span> (날짜 출력 후 어떠한 추가설명없이 즉시 종료)
385
+ """
386
+
387
+
388
+ def read_file_text(path, encoding="utf-8"):
389
+ """텍스트 파일 읽기"""
390
+ if not os.path.exists(path):
391
+ raise FileNotFoundError(f"파일을 찾을 수 없습니다: {path}")
392
+ with open(path, "r", encoding=encoding) as f:
393
+ return f.read()
394
+
395
+
396
+ def load_json(path):
397
+ """JSON 파일 읽기"""
398
+ text = read_file_text(path)
399
+ return json.loads(text)
400
+
401
+
402
+ def build_final_prompt(date, user_name, csv_text, json_obj):
403
+ """GPT 프롬프트 생성"""
404
+ json_pretty = json.dumps(json_obj, ensure_ascii=False, indent=2)
405
+ instruct = INSTRUCT_PROMPT_TEMPLATE.format(user_name=user_name, date=date)
406
+ print(instruct)
407
+ final_prompt = (
408
+ instruct
409
+ + "\n\n# 입력 데이터 원문\n"
410
+ + "## user_portfilio.csv\n"
411
+ + "```\n"
412
+ + csv_text.strip()
413
+ + "\n```\n"
414
+ + "## data.json\n"
415
+ + "```json\n"
416
+ + json_pretty
417
+ + "\n```"
418
+ + "\n\n# 추가 지침\n"
419
+ + "- 현재주가는 data.json의 stock_price에서 'Close'를 우선 사용하고, 해당 종목 데이터가 없으면 'N/A'로 표기하세요.\n"
420
+ + "- 표는 Markdown 형식을 사용하세요.\n"
421
+ + "- {user_name} 님으로 지칭하세요.\n"
422
+ )
423
+ return final_prompt
424
+
425
+
426
+ def ensure_api_key():
427
+ """환경변수 OPENAI_API_KEY 확인"""
428
+ api_key = os.getenv("OPENAI_API_KEY", "")
429
+ if not api_key:
430
+ raise EnvironmentError("환경변수 OPENAI_API_KEY가 설정되어 있지 않습니다.")
431
+ return api_key
432
+
433
+
434
+ def chatgpt(prompt_text):
435
+ """GPT-4.1-mini 호출 후 content 키에서 텍스트만 추출해서 반환"""
436
+ ensure_api_key()
437
+
438
+ # ChatCompletion API 사용
439
+ resp = client.chat.completions.create(
440
+ model="gpt-4.1-mini",
441
+ messages=[
442
+ {"role": "user", "content": prompt_text}
443
+ ],
444
+ )
445
+
446
+ try:
447
+ # choices -> 첫 번째 메시지 -> content -> 텍스트 추출
448
+ choices = getattr(resp, "choices", None)
449
+ if choices and isinstance(choices, list) and len(choices) > 0:
450
+ message = getattr(choices[0], "message", None)
451
+ if message:
452
+ content = getattr(message, "content", None)
453
+ if content and isinstance(content, str):
454
+ return content.strip()
455
+ elif content and isinstance(content, list):
456
+ # list 형태인 경우 type=="text" 찾기
457
+ for c in content:
458
+ if c.get("type") in ("output_text", "text") and c.get("text"):
459
+ return c["text"].strip()
460
+ except Exception:
461
+ pass
462
+
463
+ # fallback
464
+ return str(resp)
465
+
466
+
467
+ def save_report(text, path):
468
+ """생성된 리포트 파일 저장"""
469
+ with open(path, "w", encoding="utf-8") as f:
470
+ f.write(text)
471
+
472
+
473
+ def main():
474
+ parser = argparse.ArgumentParser(description="포트폴리오 기반 투자 리포트 생성 도구")
475
+ parser.add_argument("--user-name", default="이서준", help="사용자 이름")
476
+ parser.add_argument("--csv-path", default="used_user.csv", help="사용자 포트폴리오 CSV 파일 경로")
477
+ parser.add_argument("--json-path", default="output.json", help="분석에 사용할 JSON 파일 경로")
478
+ parser.add_argument("--output-path", default="report.txt", help="생성된 리포트 출력 경로")
479
+ args = parser.parse_args()
480
+ date = datetime.now().strftime("%Y-%m-%d") # 리포트 생성 날짜 (기본: 오늘 날짜)
481
+
482
+ # --- 1. args 확인 ---
483
+ print("[1/5] 인자(args) 확인.")
484
+ print(f"[INFO] 리포트 생성 날짜: {date}")
485
+ print(f"[INFO] --user-name {args.user_name}")
486
+ print(f"[INFO] --csv-path {args.csv_path}")
487
+ print(f"[INFO] --json-path {args.json_path}")
488
+ print(f"[INFO] --output-path {args.output_path}\n")
489
+
490
+ # --- 2. 입력 데이터 로드 ---
491
+ user_name = args.user_name
492
+ csv_text = read_file_text(args.csv_path)
493
+ json_obj = load_json(args.json_path)
494
+ print("[2/5] 입력 데이터 로드 완료.\n")
495
+
496
+ # --- 3.GPT 프롬프트 생성 ---
497
+ final_prompt = build_final_prompt(date, user_name, csv_text, json_obj)
498
+ print("[3/5] 프롬프트 생성 완료.\n")
499
+
500
+ # --- 4. GPT 호출 & 리포트 생성 ---
501
+ report_text = chatgpt(final_prompt)
502
+ print("[4/5] 리포트 생성 완료.\n")
503
+
504
+ # --- 5. 저장 ---
505
+ save_report(report_text, args.output_path)
506
+ print(f"[5/5] {args.output_path} 리포트 저장 완료.\n")
507
+
508
+
509
+ if __name__ == "__main__":
510
+ main()
portfolio/.gitignore ADDED
@@ -0,0 +1,207 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ # Byte-compiled / optimized / DLL files
2
+ __pycache__/
3
+ *.py[codz]
4
+ *$py.class
5
+
6
+ # C extensions
7
+ *.so
8
+
9
+ # Distribution / packaging
10
+ .Python
11
+ build/
12
+ develop-eggs/
13
+ dist/
14
+ downloads/
15
+ eggs/
16
+ .eggs/
17
+ lib/
18
+ lib64/
19
+ parts/
20
+ sdist/
21
+ var/
22
+ wheels/
23
+ share/python-wheels/
24
+ *.egg-info/
25
+ .installed.cfg
26
+ *.egg
27
+ MANIFEST
28
+
29
+ # PyInstaller
30
+ # Usually these files are written by a python script from a template
31
+ # before PyInstaller builds the exe, so as to inject date/other infos into it.
32
+ *.manifest
33
+ *.spec
34
+
35
+ # Installer logs
36
+ pip-log.txt
37
+ pip-delete-this-directory.txt
38
+
39
+ # Unit test / coverage reports
40
+ htmlcov/
41
+ .tox/
42
+ .nox/
43
+ .coverage
44
+ .coverage.*
45
+ .cache
46
+ nosetests.xml
47
+ coverage.xml
48
+ *.cover
49
+ *.py.cover
50
+ .hypothesis/
51
+ .pytest_cache/
52
+ cover/
53
+
54
+ # Translations
55
+ *.mo
56
+ *.pot
57
+
58
+ # Django stuff:
59
+ *.log
60
+ local_settings.py
61
+ db.sqlite3
62
+ db.sqlite3-journal
63
+
64
+ # Flask stuff:
65
+ instance/
66
+ .webassets-cache
67
+
68
+ # Scrapy stuff:
69
+ .scrapy
70
+
71
+ # Sphinx documentation
72
+ docs/_build/
73
+
74
+ # PyBuilder
75
+ .pybuilder/
76
+ target/
77
+
78
+ # Jupyter Notebook
79
+ .ipynb_checkpoints
80
+
81
+ # IPython
82
+ profile_default/
83
+ ipython_config.py
84
+
85
+ # pyenv
86
+ # For a library or package, you might want to ignore these files since the code is
87
+ # intended to run in multiple environments; otherwise, check them in:
88
+ # .python-version
89
+
90
+ # pipenv
91
+ # According to pypa/pipenv#598, it is recommended to include Pipfile.lock in version control.
92
+ # However, in case of collaboration, if having platform-specific dependencies or dependencies
93
+ # having no cross-platform support, pipenv may install dependencies that don't work, or not
94
+ # install all needed dependencies.
95
+ #Pipfile.lock
96
+
97
+ # UV
98
+ # Similar to Pipfile.lock, it is generally recommended to include uv.lock in version control.
99
+ # This is especially recommended for binary packages to ensure reproducibility, and is more
100
+ # commonly ignored for libraries.
101
+ #uv.lock
102
+
103
+ # poetry
104
+ # Similar to Pipfile.lock, it is generally recommended to include poetry.lock in version control.
105
+ # This is especially recommended for binary packages to ensure reproducibility, and is more
106
+ # commonly ignored for libraries.
107
+ # https://python-poetry.org/docs/basic-usage/#commit-your-poetrylock-file-to-version-control
108
+ #poetry.lock
109
+ #poetry.toml
110
+
111
+ # pdm
112
+ # Similar to Pipfile.lock, it is generally recommended to include pdm.lock in version control.
113
+ # pdm recommends including project-wide configuration in pdm.toml, but excluding .pdm-python.
114
+ # https://pdm-project.org/en/latest/usage/project/#working-with-version-control
115
+ #pdm.lock
116
+ #pdm.toml
117
+ .pdm-python
118
+ .pdm-build/
119
+
120
+ # pixi
121
+ # Similar to Pipfile.lock, it is generally recommended to include pixi.lock in version control.
122
+ #pixi.lock
123
+ # Pixi creates a virtual environment in the .pixi directory, just like venv module creates one
124
+ # in the .venv directory. It is recommended not to include this directory in version control.
125
+ .pixi
126
+
127
+ # PEP 582; used by e.g. github.com/David-OConnor/pyflow and github.com/pdm-project/pdm
128
+ __pypackages__/
129
+
130
+ # Celery stuff
131
+ celerybeat-schedule
132
+ celerybeat.pid
133
+
134
+ # SageMath parsed files
135
+ *.sage.py
136
+
137
+ # Environments
138
+ .env
139
+ .envrc
140
+ .venv
141
+ env/
142
+ venv/
143
+ ENV/
144
+ env.bak/
145
+ venv.bak/
146
+
147
+ # Spyder project settings
148
+ .spyderproject
149
+ .spyproject
150
+
151
+ # Rope project settings
152
+ .ropeproject
153
+
154
+ # mkdocs documentation
155
+ /site
156
+
157
+ # mypy
158
+ .mypy_cache/
159
+ .dmypy.json
160
+ dmypy.json
161
+
162
+ # Pyre type checker
163
+ .pyre/
164
+
165
+ # pytype static type analyzer
166
+ .pytype/
167
+
168
+ # Cython debug symbols
169
+ cython_debug/
170
+
171
+ # PyCharm
172
+ # JetBrains specific template is maintained in a separate JetBrains.gitignore that can
173
+ # be found at https://github.com/github/gitignore/blob/main/Global/JetBrains.gitignore
174
+ # and can be added to the global gitignore or merged into this file. For a more nuclear
175
+ # option (not recommended) you can uncomment the following to ignore the entire idea folder.
176
+ #.idea/
177
+
178
+ # Abstra
179
+ # Abstra is an AI-powered process automation framework.
180
+ # Ignore directories containing user credentials, local state, and settings.
181
+ # Learn more at https://abstra.io/docs
182
+ .abstra/
183
+
184
+ # Visual Studio Code
185
+ # Visual Studio Code specific template is maintained in a separate VisualStudioCode.gitignore
186
+ # that can be found at https://github.com/github/gitignore/blob/main/Global/VisualStudioCode.gitignore
187
+ # and can be added to the global gitignore or merged into this file. However, if you prefer,
188
+ # you could uncomment the following to ignore the entire vscode folder
189
+ # .vscode/
190
+
191
+ # Ruff stuff:
192
+ .ruff_cache/
193
+
194
+ # PyPI configuration file
195
+ .pypirc
196
+
197
+ # Cursor
198
+ # Cursor is an AI-powered code editor. `.cursorignore` specifies files/directories to
199
+ # exclude from AI features like autocomplete and code analysis. Recommended for sensitive data
200
+ # refer to https://docs.cursor.com/context/ignore-files
201
+ .cursorignore
202
+ .cursorindexingignore
203
+
204
+ # Marimo
205
+ marimo/_static/
206
+ marimo/_lsp/
207
+ __marimo__/