forked from yusufkaraaslan/Skill_Seekers
-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathtest_github_scraper.py
More file actions
1015 lines (792 loc) · 38.4 KB
/
test_github_scraper.py
File metadata and controls
1015 lines (792 loc) · 38.4 KB
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
#!/usr/bin/env python3
"""
Tests for GitHub Scraper (cli/github_scraper.py)
Tests cover:
- GitHubScraper initialization and configuration (C1.1)
- README extraction (C1.2)
- Language detection (C1.4)
- GitHub Issues extraction (C1.7)
- CHANGELOG extraction (C1.8)
- GitHub Releases extraction (C1.9)
- GitHubToSkillConverter and skill building (C1.10)
- Authentication handling
- Error handling and edge cases
"""
import json
import os
import shutil
import tempfile
import unittest
from datetime import datetime
from pathlib import Path
from unittest.mock import Mock, patch
try:
from github import Github, GithubException # noqa: F401
PYGITHUB_AVAILABLE = True
except ImportError:
PYGITHUB_AVAILABLE = False
class TestGitHubScraperInitialization(unittest.TestCase):
"""Test GitHubScraper initialization and configuration (C1.1)"""
def setUp(self):
if not PYGITHUB_AVAILABLE:
self.skipTest("PyGithub not installed")
from skill_seekers.cli.github_scraper import GitHubScraper
self.GitHubScraper = GitHubScraper
# Create temporary directory for test output
self.temp_dir = tempfile.mkdtemp()
self.output_dir = Path(self.temp_dir)
def tearDown(self):
# Clean up temporary directory
if hasattr(self, "temp_dir"):
shutil.rmtree(self.temp_dir, ignore_errors=True)
def test_init_with_repo_name(self):
"""Test initialization with repository name"""
config = {"repo": "facebook/react", "name": "react", "github_token": None}
scraper = self.GitHubScraper(config)
self.assertEqual(scraper.repo_name, "facebook/react")
self.assertEqual(scraper.name, "react")
self.assertIsNotNone(scraper.github)
def test_init_with_token_from_config(self):
"""Test initialization with token from config"""
config = {
"repo": "facebook/react",
"name": "react",
"github_token": "test_token_123",
}
with patch("skill_seekers.cli.github_scraper.Github") as mock_github:
_scraper = self.GitHubScraper(config)
mock_github.assert_called_once_with("test_token_123")
def test_init_with_token_from_env(self):
"""Test initialization with token from environment variable"""
config = {"repo": "facebook/react", "name": "react", "github_token": None}
with (
patch.dict(os.environ, {"GITHUB_TOKEN": "env_token_456"}),
patch("skill_seekers.cli.github_scraper.Github") as mock_github,
):
_scraper = self.GitHubScraper(config)
mock_github.assert_called_once_with("env_token_456")
def test_init_without_token(self):
"""Test initialization without authentication"""
config = {"repo": "facebook/react", "name": "react", "github_token": None}
with (
patch("skill_seekers.cli.github_scraper.Github"),
patch.dict(os.environ, {}, clear=True),
):
scraper = self.GitHubScraper(config)
# Should create unauthenticated client
self.assertIsNotNone(scraper.github)
def test_token_priority_env_over_config(self):
"""Test that GITHUB_TOKEN env var takes priority over config"""
config = {
"repo": "facebook/react",
"name": "react",
"github_token": "config_token",
}
with patch.dict(os.environ, {"GITHUB_TOKEN": "env_token"}):
scraper = self.GitHubScraper(config)
token = scraper._get_token()
self.assertEqual(token, "env_token")
class TestREADMEExtraction(unittest.TestCase):
"""Test README extraction (C1.2)"""
def setUp(self):
if not PYGITHUB_AVAILABLE:
self.skipTest("PyGithub not installed")
from skill_seekers.cli.github_scraper import GitHubScraper
self.GitHubScraper = GitHubScraper
def test_extract_readme_success(self):
"""Test successful README extraction"""
config = {"repo": "facebook/react", "name": "react", "github_token": None}
mock_content = Mock()
mock_content.decoded_content = b"# React\n\nA JavaScript library"
with patch("skill_seekers.cli.github_scraper.Github"):
scraper = self.GitHubScraper(config)
scraper.repo = Mock()
scraper.repo.get_contents.return_value = mock_content
scraper._extract_readme()
self.assertIn("readme", scraper.extracted_data)
self.assertEqual(scraper.extracted_data["readme"], "# React\n\nA JavaScript library")
def test_extract_readme_tries_multiple_locations(self):
"""Test that README extraction tries multiple file locations"""
config = {"repo": "facebook/react", "name": "react", "github_token": None}
with patch("skill_seekers.cli.github_scraper.Github"):
scraper = self.GitHubScraper(config)
scraper.repo = Mock()
# Make first attempts fail, succeed on third
def side_effect(path):
if path in ["README.md", "README.rst"]:
raise GithubException(404, "Not found")
mock_content = Mock()
mock_content.decoded_content = b"# README"
return mock_content
scraper.repo.get_contents.side_effect = side_effect
scraper._extract_readme()
# Should have tried multiple paths
self.assertGreaterEqual(scraper.repo.get_contents.call_count, 1)
def test_extract_readme_not_found(self):
"""Test README extraction when no README exists"""
config = {"repo": "test/norepo", "name": "norepo", "github_token": None}
with patch("skill_seekers.cli.github_scraper.Github"):
scraper = self.GitHubScraper(config)
scraper.repo = Mock()
scraper.repo.get_contents.side_effect = GithubException(404, "Not found")
scraper._extract_readme()
# Should not crash, just log warning (readme initialized as empty string)
self.assertEqual(scraper.extracted_data["readme"], "")
class TestLanguageDetection(unittest.TestCase):
"""Test language detection (C1.4)"""
def setUp(self):
if not PYGITHUB_AVAILABLE:
self.skipTest("PyGithub not installed")
from skill_seekers.cli.github_scraper import GitHubScraper
self.GitHubScraper = GitHubScraper
def test_extract_languages_success(self):
"""Test successful language detection"""
config = {"repo": "facebook/react", "name": "react", "github_token": None}
with patch("skill_seekers.cli.github_scraper.Github"):
scraper = self.GitHubScraper(config)
scraper.repo = Mock()
scraper.repo.get_languages.return_value = {
"JavaScript": 8000,
"TypeScript": 2000,
}
scraper._extract_languages()
self.assertIn("languages", scraper.extracted_data)
self.assertIn("JavaScript", scraper.extracted_data["languages"])
self.assertIn("TypeScript", scraper.extracted_data["languages"])
# Check percentages
js_data = scraper.extracted_data["languages"]["JavaScript"]
self.assertEqual(js_data["bytes"], 8000)
self.assertEqual(js_data["percentage"], 80.0)
ts_data = scraper.extracted_data["languages"]["TypeScript"]
self.assertEqual(ts_data["bytes"], 2000)
self.assertEqual(ts_data["percentage"], 20.0)
def test_extract_languages_empty(self):
"""Test language detection with no languages"""
config = {"repo": "test/norepo", "name": "norepo", "github_token": None}
with patch("skill_seekers.cli.github_scraper.Github"):
scraper = self.GitHubScraper(config)
scraper.repo = Mock()
scraper.repo.get_languages.return_value = {}
scraper._extract_languages()
self.assertIn("languages", scraper.extracted_data)
self.assertEqual(scraper.extracted_data["languages"], {})
class TestIssuesExtraction(unittest.TestCase):
"""Test GitHub Issues extraction (C1.7)"""
def setUp(self):
if not PYGITHUB_AVAILABLE:
self.skipTest("PyGithub not installed")
from skill_seekers.cli.github_scraper import GitHubScraper
self.GitHubScraper = GitHubScraper
def test_extract_issues_success(self):
"""Test successful issues extraction"""
config = {
"repo": "facebook/react",
"name": "react",
"github_token": None,
"max_issues": 10,
}
# Create mock issues
mock_label1 = Mock()
mock_label1.name = "bug"
mock_label2 = Mock()
mock_label2.name = "high-priority"
mock_milestone = Mock()
mock_milestone.title = "v18.0"
mock_issue1 = Mock()
mock_issue1.number = 123
mock_issue1.title = "Bug in useState"
mock_issue1.state = "open"
mock_issue1.labels = [mock_label1, mock_label2]
mock_issue1.milestone = mock_milestone
mock_issue1.created_at = datetime(2023, 1, 1)
mock_issue1.updated_at = datetime(2023, 1, 2)
mock_issue1.closed_at = None
mock_issue1.html_url = "https://github.com/facebook/react/issues/123"
mock_issue1.body = "Issue description"
mock_issue1.pull_request = None
mock_label3 = Mock()
mock_label3.name = "enhancement"
mock_issue2 = Mock()
mock_issue2.number = 124
mock_issue2.title = "Feature request"
mock_issue2.state = "closed"
mock_issue2.labels = [mock_label3]
mock_issue2.milestone = None
mock_issue2.created_at = datetime(2023, 1, 3)
mock_issue2.updated_at = datetime(2023, 1, 4)
mock_issue2.closed_at = datetime(2023, 1, 5)
mock_issue2.html_url = "https://github.com/facebook/react/issues/124"
mock_issue2.body = "Feature description"
mock_issue2.pull_request = None
with patch("skill_seekers.cli.github_scraper.Github"):
scraper = self.GitHubScraper(config)
scraper.repo = Mock()
scraper.repo.get_issues.return_value = [mock_issue1, mock_issue2]
scraper._extract_issues()
self.assertIn("issues", scraper.extracted_data)
issues = scraper.extracted_data["issues"]
self.assertEqual(len(issues), 2)
# Check first issue
self.assertEqual(issues[0]["number"], 123)
self.assertEqual(issues[0]["title"], "Bug in useState")
self.assertEqual(issues[0]["state"], "open")
self.assertEqual(issues[0]["labels"], ["bug", "high-priority"])
self.assertEqual(issues[0]["milestone"], "v18.0")
# Check second issue
self.assertEqual(issues[1]["number"], 124)
self.assertEqual(issues[1]["state"], "closed")
self.assertIsNone(issues[1]["milestone"])
def test_extract_issues_filters_pull_requests(self):
"""Test that pull requests are filtered out from issues"""
config = {
"repo": "facebook/react",
"name": "react",
"github_token": None,
"max_issues": 10,
}
# Create mock issue (need all required attributes)
mock_issue = Mock()
mock_issue.number = 123
mock_issue.title = "Real issue"
mock_issue.state = "open"
mock_issue.labels = []
mock_issue.milestone = None
mock_issue.created_at = datetime(2023, 1, 1)
mock_issue.updated_at = datetime(2023, 1, 2)
mock_issue.closed_at = None
mock_issue.html_url = "https://github.com/test/repo/issues/123"
mock_issue.body = "Issue body"
mock_issue.pull_request = None
mock_pr = Mock()
mock_pr.number = 124
mock_pr.title = "Pull request"
mock_pr.pull_request = Mock() # Has pull_request attribute
with patch("skill_seekers.cli.github_scraper.Github"):
scraper = self.GitHubScraper(config)
scraper.repo = Mock()
scraper.repo.get_issues.return_value = [mock_issue, mock_pr]
scraper._extract_issues()
issues = scraper.extracted_data["issues"]
# Should only have the real issue, not the PR
self.assertEqual(len(issues), 1)
self.assertEqual(issues[0]["number"], 123)
def test_extract_issues_respects_max_limit(self):
"""Test that max_issues limit is respected"""
config = {
"repo": "facebook/react",
"name": "react",
"github_token": None,
"max_issues": 2,
}
# Create 5 mock issues
mock_issues = []
for i in range(5):
mock_issue = Mock()
mock_issue.number = i
mock_issue.title = f"Issue {i}"
mock_issue.state = "open"
mock_issue.labels = []
mock_issue.milestone = None
mock_issue.created_at = datetime(2023, 1, 1)
mock_issue.updated_at = datetime(2023, 1, 2)
mock_issue.closed_at = None
mock_issue.html_url = f"https://github.com/test/repo/issues/{i}"
mock_issue.body = None
mock_issue.pull_request = None
mock_issues.append(mock_issue)
with patch("skill_seekers.cli.github_scraper.Github"):
scraper = self.GitHubScraper(config)
scraper.repo = Mock()
scraper.repo.get_issues.return_value = mock_issues
scraper._extract_issues()
issues = scraper.extracted_data["issues"]
# Should only extract first 2 issues
self.assertEqual(len(issues), 2)
class TestChangelogExtraction(unittest.TestCase):
"""Test CHANGELOG extraction (C1.8)"""
def setUp(self):
if not PYGITHUB_AVAILABLE:
self.skipTest("PyGithub not installed")
from skill_seekers.cli.github_scraper import GitHubScraper
self.GitHubScraper = GitHubScraper
def test_extract_changelog_success(self):
"""Test successful CHANGELOG extraction"""
config = {"repo": "facebook/react", "name": "react", "github_token": None}
mock_content = Mock()
mock_content.decoded_content = b"# Changelog\n\n## v1.0.0\n- Initial release"
with patch("skill_seekers.cli.github_scraper.Github"):
scraper = self.GitHubScraper(config)
scraper.repo = Mock()
scraper.repo.get_contents.return_value = mock_content
scraper._extract_changelog()
self.assertIn("changelog", scraper.extracted_data)
self.assertIn("Initial release", scraper.extracted_data["changelog"])
def test_extract_changelog_tries_multiple_locations(self):
"""Test that CHANGELOG extraction tries multiple file locations"""
config = {"repo": "facebook/react", "name": "react", "github_token": None}
with patch("skill_seekers.cli.github_scraper.Github"):
scraper = self.GitHubScraper(config)
scraper.repo = Mock()
# Make first attempts fail
call_count = {"count": 0}
def side_effect(path):
call_count["count"] += 1
if path in ["CHANGELOG.md", "CHANGES.md"]:
raise GithubException(404, "Not found")
mock_content = Mock()
mock_content.decoded_content = b"# History"
return mock_content
scraper.repo.get_contents.side_effect = side_effect
scraper._extract_changelog()
# Should have tried multiple paths
self.assertGreaterEqual(call_count["count"], 1)
def test_extract_changelog_not_found(self):
"""Test CHANGELOG extraction when no changelog exists"""
config = {"repo": "test/norepo", "name": "norepo", "github_token": None}
with patch("skill_seekers.cli.github_scraper.Github"):
scraper = self.GitHubScraper(config)
scraper.repo = Mock()
scraper.repo.get_contents.side_effect = GithubException(404, "Not found")
scraper._extract_changelog()
# Should not crash, just log warning (changelog initialized as empty string)
self.assertEqual(scraper.extracted_data["changelog"], "")
class TestReleasesExtraction(unittest.TestCase):
"""Test GitHub Releases extraction (C1.9)"""
def setUp(self):
if not PYGITHUB_AVAILABLE:
self.skipTest("PyGithub not installed")
from skill_seekers.cli.github_scraper import GitHubScraper
self.GitHubScraper = GitHubScraper
def test_extract_releases_success(self):
"""Test successful releases extraction"""
config = {"repo": "facebook/react", "name": "react", "github_token": None}
# Create mock releases
mock_release1 = Mock()
mock_release1.tag_name = "v18.0.0"
mock_release1.title = "React 18.0.0"
mock_release1.body = "New features:\n- Concurrent rendering"
mock_release1.draft = False
mock_release1.prerelease = False
mock_release1.created_at = datetime(2023, 3, 1)
mock_release1.published_at = datetime(2023, 3, 1)
mock_release1.html_url = "https://github.com/facebook/react/releases/tag/v18.0.0"
mock_release1.tarball_url = "https://github.com/facebook/react/archive/v18.0.0.tar.gz"
mock_release1.zipball_url = "https://github.com/facebook/react/archive/v18.0.0.zip"
mock_release2 = Mock()
mock_release2.tag_name = "v18.0.0-rc.0"
mock_release2.title = "React 18.0.0 RC"
mock_release2.body = "Release candidate"
mock_release2.draft = False
mock_release2.prerelease = True
mock_release2.created_at = datetime(2023, 2, 1)
mock_release2.published_at = datetime(2023, 2, 1)
mock_release2.html_url = "https://github.com/facebook/react/releases/tag/v18.0.0-rc.0"
mock_release2.tarball_url = "https://github.com/facebook/react/archive/v18.0.0-rc.0.tar.gz"
mock_release2.zipball_url = "https://github.com/facebook/react/archive/v18.0.0-rc.0.zip"
with patch("skill_seekers.cli.github_scraper.Github"):
scraper = self.GitHubScraper(config)
scraper.repo = Mock()
scraper.repo.get_releases.return_value = [mock_release1, mock_release2]
scraper._extract_releases()
self.assertIn("releases", scraper.extracted_data)
releases = scraper.extracted_data["releases"]
self.assertEqual(len(releases), 2)
# Check first release
self.assertEqual(releases[0]["tag_name"], "v18.0.0")
self.assertEqual(releases[0]["name"], "React 18.0.0")
self.assertFalse(releases[0]["draft"])
self.assertFalse(releases[0]["prerelease"])
self.assertIn("Concurrent rendering", releases[0]["body"])
# Check second release (prerelease)
self.assertEqual(releases[1]["tag_name"], "v18.0.0-rc.0")
self.assertTrue(releases[1]["prerelease"])
def test_extract_releases_empty(self):
"""Test releases extraction with no releases"""
config = {"repo": "test/norepo", "name": "norepo", "github_token": None}
with patch("skill_seekers.cli.github_scraper.Github"):
scraper = self.GitHubScraper(config)
scraper.repo = Mock()
scraper.repo.get_releases.return_value = []
scraper._extract_releases()
self.assertIn("releases", scraper.extracted_data)
self.assertEqual(scraper.extracted_data["releases"], [])
class TestGitHubToSkillConverter(unittest.TestCase):
"""Test GitHubToSkillConverter and skill building (C1.10)"""
def setUp(self):
if not PYGITHUB_AVAILABLE:
self.skipTest("PyGithub not installed")
from skill_seekers.cli.github_scraper import GitHubToSkillConverter
self.GitHubToSkillConverter = GitHubToSkillConverter
# Create temporary directory for test output
self.temp_dir = tempfile.mkdtemp()
self.output_dir = Path(self.temp_dir)
# Create mock data file
self.data_file = self.output_dir / "test_github_data.json"
self.mock_data = {
"repo_info": {
"name": "react",
"full_name": "facebook/react",
"description": "A JavaScript library",
"stars": 200000,
"language": "JavaScript",
},
"readme": "# React\n\nA JavaScript library for building user interfaces.",
"languages": {
"JavaScript": {"bytes": 8000, "percentage": 80.0},
"TypeScript": {"bytes": 2000, "percentage": 20.0},
},
"issues": [
{
"number": 123,
"title": "Bug in useState",
"state": "open",
"labels": ["bug"],
"milestone": "v18.0",
"created_at": "2023-01-01T10:00:00",
"updated_at": "2023-01-02T10:00:00",
"closed_at": None,
"url": "https://github.com/facebook/react/issues/123",
"body": "Issue description",
}
],
"changelog": "# Changelog\n\n## v18.0.0\n- New features",
"releases": [
{
"tag_name": "v18.0.0",
"name": "React 18.0.0",
"body": "Release notes",
"published_at": "2023-03-01T10:00:00",
"prerelease": False,
"draft": False,
"url": "https://github.com/facebook/react/releases/tag/v18.0.0",
}
],
}
with open(self.data_file, "w") as f:
json.dump(self.mock_data, f)
def tearDown(self):
# Clean up temporary directory
if hasattr(self, "temp_dir"):
shutil.rmtree(self.temp_dir, ignore_errors=True)
def test_init_loads_data(self):
"""Test that converter loads data file on initialization"""
config = {"repo": "facebook/react", "name": "test", "description": "Test skill"}
# Override data file path
with patch("skill_seekers.cli.github_scraper.GitHubToSkillConverter.__init__") as mock_init:
mock_init.return_value = None
converter = self.GitHubToSkillConverter(config)
converter.data_file = str(self.data_file)
converter.data = converter._load_data()
self.assertIn("repo_info", converter.data)
self.assertEqual(converter.data["repo_info"]["name"], "react")
def test_build_skill_creates_directory_structure(self):
"""Test that build_skill creates proper directory structure"""
# Create data file in expected location
data_file_path = self.output_dir / "test_github_data.json"
with open(data_file_path, "w") as f:
json.dump(self.mock_data, f)
config = {"repo": "facebook/react", "name": "test", "description": "Test skill"}
# Patch the paths to use our temp directory
with patch(
"skill_seekers.cli.github_scraper.GitHubToSkillConverter._load_data"
) as mock_load:
mock_load.return_value = self.mock_data
converter = self.GitHubToSkillConverter(config)
converter.skill_dir = str(self.output_dir / "test_skill")
converter.data = self.mock_data
converter.build_skill()
skill_dir = Path(converter.skill_dir)
self.assertTrue(skill_dir.exists())
self.assertTrue((skill_dir / "SKILL.md").exists())
self.assertTrue((skill_dir / "references").exists())
class TestSymlinkHandling(unittest.TestCase):
"""Test symlink handling (Issue #225)"""
def setUp(self):
if not PYGITHUB_AVAILABLE:
self.skipTest("PyGithub not installed")
from skill_seekers.cli.github_scraper import GitHubScraper
self.GitHubScraper = GitHubScraper
def test_get_file_content_regular_file(self):
"""Test _get_file_content with regular file"""
config = {"repo": "facebook/react", "name": "react", "github_token": None}
# Create mock regular file
mock_content = Mock()
mock_content.type = "file"
mock_content.encoding = "base64"
mock_content.decoded_content = b"# React\n\nA JavaScript library"
with patch("skill_seekers.cli.github_scraper.Github"):
scraper = self.GitHubScraper(config)
scraper.repo = Mock()
scraper.repo.get_contents.return_value = mock_content
result = scraper._get_file_content("README.md")
self.assertEqual(result, "# React\n\nA JavaScript library")
scraper.repo.get_contents.assert_called_once_with("README.md")
def test_get_file_content_symlink(self):
"""Test _get_file_content with symlink file"""
config = {"repo": "vercel/ai", "name": "ai", "github_token": None}
# Create mock symlink
mock_symlink = Mock()
mock_symlink.type = "symlink"
mock_symlink.encoding = None
mock_symlink.target = "packages/ai/README.md"
# Create mock target file
mock_target = Mock()
mock_target.type = "file"
mock_target.encoding = "base64"
mock_target.decoded_content = b"# AI SDK\n\nReal content from symlink target"
with patch("skill_seekers.cli.github_scraper.Github"):
scraper = self.GitHubScraper(config)
scraper.repo = Mock()
# First call returns symlink, second call returns target
scraper.repo.get_contents.side_effect = [mock_symlink, mock_target]
result = scraper._get_file_content("README.md")
self.assertEqual(result, "# AI SDK\n\nReal content from symlink target")
# Should have called get_contents twice: once for symlink, once for target
self.assertEqual(scraper.repo.get_contents.call_count, 2)
scraper.repo.get_contents.assert_any_call("README.md")
scraper.repo.get_contents.assert_any_call("packages/ai/README.md")
def test_get_file_content_broken_symlink(self):
"""Test _get_file_content with broken symlink"""
config = {"repo": "test/repo", "name": "test", "github_token": None}
# Create mock symlink with broken target
mock_symlink = Mock()
mock_symlink.type = "symlink"
mock_symlink.encoding = None
mock_symlink.target = "nonexistent/file.md"
with patch("skill_seekers.cli.github_scraper.Github"):
scraper = self.GitHubScraper(config)
scraper.repo = Mock()
# First call returns symlink, second call raises 404
scraper.repo.get_contents.side_effect = [
mock_symlink,
GithubException(404, "Not found"),
]
result = scraper._get_file_content("README.md")
# Should return None gracefully
self.assertIsNone(result)
def test_get_file_content_symlink_no_target(self):
"""Test _get_file_content with symlink that has no target attribute"""
config = {"repo": "test/repo", "name": "test", "github_token": None}
# Create mock symlink without target
mock_symlink = Mock()
mock_symlink.type = "symlink"
mock_symlink.encoding = None
mock_symlink.target = None
with patch("skill_seekers.cli.github_scraper.Github"):
scraper = self.GitHubScraper(config)
scraper.repo = Mock()
scraper.repo.get_contents.return_value = mock_symlink
result = scraper._get_file_content("README.md")
# Should return None gracefully
self.assertIsNone(result)
def test_extract_readme_with_symlink(self):
"""Test README extraction with symlinked README.md (Integration test for Issue #225)"""
config = {"repo": "vercel/ai", "name": "ai", "github_token": None}
# Create mock symlink
mock_symlink = Mock()
mock_symlink.type = "symlink"
mock_symlink.encoding = None
mock_symlink.target = "packages/ai/README.md"
# Create mock target file
mock_target = Mock()
mock_target.type = "file"
mock_target.encoding = "base64"
mock_target.decoded_content = b"# AI SDK\n\nThe AI SDK is a TypeScript toolkit"
with patch("skill_seekers.cli.github_scraper.Github"):
scraper = self.GitHubScraper(config)
scraper.repo = Mock()
scraper.repo.get_contents.side_effect = [mock_symlink, mock_target]
scraper._extract_readme()
# Should successfully extract README content
self.assertIn("readme", scraper.extracted_data)
self.assertEqual(
scraper.extracted_data["readme"],
"# AI SDK\n\nThe AI SDK is a TypeScript toolkit",
)
def test_extract_changelog_with_symlink(self):
"""Test CHANGELOG extraction with symlinked CHANGELOG.md"""
config = {"repo": "test/repo", "name": "test", "github_token": None}
# Create mock symlink
mock_symlink = Mock()
mock_symlink.type = "symlink"
mock_symlink.encoding = None
mock_symlink.target = "docs/CHANGELOG.md"
# Create mock target file
mock_target = Mock()
mock_target.type = "file"
mock_target.encoding = "base64"
mock_target.decoded_content = b"# Changelog\n\n## v1.0.0\n- Initial release"
with patch("skill_seekers.cli.github_scraper.Github"):
scraper = self.GitHubScraper(config)
scraper.repo = Mock()
scraper.repo.get_contents.side_effect = [mock_symlink, mock_target]
scraper._extract_changelog()
# Should successfully extract CHANGELOG content
self.assertIn("changelog", scraper.extracted_data)
self.assertIn("Initial release", scraper.extracted_data["changelog"])
def test_get_file_content_encoding_error(self):
"""Test _get_file_content handles encoding errors gracefully"""
config = {"repo": "test/repo", "name": "test", "github_token": None}
# Create mock file with invalid UTF-8 content
mock_content = Mock()
mock_content.type = "file"
mock_content.encoding = "base64"
# Mock decoded_content that can't be decoded as UTF-8
mock_content.decoded_content = b"\xff\xfe Invalid UTF-8"
with patch("skill_seekers.cli.github_scraper.Github"):
scraper = self.GitHubScraper(config)
scraper.repo = Mock()
scraper.repo.get_contents.return_value = mock_content
# Should try latin-1 fallback
result = scraper._get_file_content("README.md")
# Should not crash (will try latin-1 fallback)
self.assertIsNotNone(result)
def test_get_file_content_large_file(self):
"""Test _get_file_content handles large files with encoding='none' (Issue #219)"""
config = {"repo": "ccxt/ccxt", "name": "ccxt", "github_token": None}
# Create mock large file (encoding="none")
mock_content = Mock()
mock_content.type = "file"
mock_content.encoding = "none" # Large files have encoding="none"
mock_content.size = 1388271 # 1.4MB CHANGELOG
mock_content.download_url = (
"https://raw.githubusercontent.com/ccxt/ccxt/master/CHANGELOG.md"
)
with patch("skill_seekers.cli.github_scraper.Github"):
scraper = self.GitHubScraper(config)
scraper.repo = Mock()
scraper.repo.get_contents.return_value = mock_content
# Mock requests.get
with patch("requests.get") as mock_requests:
mock_response = Mock()
mock_response.text = "# Changelog\n\n## v1.0.0\n- Initial release"
mock_response.raise_for_status = Mock()
mock_requests.return_value = mock_response
result = scraper._get_file_content("CHANGELOG.md")
# Should download via download_url
self.assertEqual(result, "# Changelog\n\n## v1.0.0\n- Initial release")
mock_requests.assert_called_once_with(
"https://raw.githubusercontent.com/ccxt/ccxt/master/CHANGELOG.md",
timeout=30,
)
def test_extract_changelog_large_file(self):
"""Test CHANGELOG extraction with large file (Integration test for Issue #219)"""
config = {"repo": "ccxt/ccxt", "name": "ccxt", "github_token": None}
# Create mock large CHANGELOG
mock_content = Mock()
mock_content.type = "file"
mock_content.encoding = "none"
mock_content.size = 1388271
mock_content.download_url = (
"https://raw.githubusercontent.com/ccxt/ccxt/master/CHANGELOG.md"
)
with patch("skill_seekers.cli.github_scraper.Github"):
scraper = self.GitHubScraper(config)
scraper.repo = Mock()
scraper.repo.get_contents.return_value = mock_content
# Mock requests.get
with patch("requests.get") as mock_requests:
mock_response = Mock()
mock_response.text = "# CCXT Changelog\n\n## v4.0.0\n- Major update"
mock_response.raise_for_status = Mock()
mock_requests.return_value = mock_response
scraper._extract_changelog()
# Should successfully extract CHANGELOG content
self.assertIn("changelog", scraper.extracted_data)
self.assertIn("Major update", scraper.extracted_data["changelog"])
class TestGitignoreSupport(unittest.TestCase):
"""Test .gitignore support in github_scraper (C2.1)"""
def setUp(self):
"""Set up test environment"""
if not PYGITHUB_AVAILABLE:
self.skipTest("PyGithub not installed")
from skill_seekers.cli.github_scraper import GitHubScraper
self.GitHubScraper = GitHubScraper
self.temp_dir = tempfile.mkdtemp()
self.repo_path = Path(self.temp_dir)
def tearDown(self):
"""Clean up test environment"""
shutil.rmtree(self.temp_dir, ignore_errors=True)
def test_load_gitignore_exists(self):
"""Test loading existing .gitignore file."""
# Create .gitignore
gitignore_path = self.repo_path / ".gitignore"
gitignore_path.write_text("*.log\ntemp/\n__pycache__/")
config = {"repo": "test/repo", "local_repo_path": str(self.repo_path)}
with patch("skill_seekers.cli.github_scraper.Github"):
scraper = self.GitHubScraper(config)
# Should load .gitignore if pathspec available
if hasattr(scraper, "gitignore_spec"):
# pathspec is installed
self.assertIsNotNone(scraper.gitignore_spec)
else:
# pathspec not installed
self.assertIsNone(scraper.gitignore_spec)
def test_load_gitignore_missing(self):
"""Test behavior when no .gitignore exists."""
config = {"repo": "test/repo", "local_repo_path": str(self.repo_path)}
with patch("skill_seekers.cli.github_scraper.Github"):
scraper = self.GitHubScraper(config)
# Should be None when no .gitignore found
self.assertIsNone(scraper.gitignore_spec)
def test_should_exclude_dir_with_gitignore(self):
"""Test directory exclusion with .gitignore rules."""
# Create .gitignore
gitignore_path = self.repo_path / ".gitignore"
gitignore_path.write_text("temp/\nbuild/\n*.egg-info")
config = {"repo": "test/repo", "local_repo_path": str(self.repo_path)}
with patch("skill_seekers.cli.github_scraper.Github"):
scraper = self.GitHubScraper(config)
# Test .gitignore exclusion (if pathspec available)
if scraper.gitignore_spec:
self.assertTrue(scraper.should_exclude_dir("temp", "temp"))
self.assertTrue(scraper.should_exclude_dir("build", "build"))
# Non-excluded dir should pass
self.assertFalse(scraper.should_exclude_dir("src", "src"))
def test_should_exclude_dir_default_exclusions(self):
"""Test that default exclusions still work."""
config = {"repo": "test/repo", "local_repo_path": str(self.repo_path)}
with patch("skill_seekers.cli.github_scraper.Github"):
scraper = self.GitHubScraper(config)
# Default exclusions should still work
self.assertTrue(scraper.should_exclude_dir("node_modules"))
self.assertTrue(scraper.should_exclude_dir("venv"))
self.assertTrue(scraper.should_exclude_dir("__pycache__"))
# Normal directories should not be excluded
self.assertFalse(scraper.should_exclude_dir("src"))
self.assertFalse(scraper.should_exclude_dir("tests"))
class TestErrorHandling(unittest.TestCase):
"""Test error handling and edge cases"""
def setUp(self):
if not PYGITHUB_AVAILABLE:
self.skipTest("PyGithub not installed")
from skill_seekers.cli.github_scraper import GitHubScraper
self.GitHubScraper = GitHubScraper
def test_invalid_repo_name(self):
"""Test handling of invalid repository name"""
config = {"repo": "invalid_repo_format", "name": "test", "github_token": None}
with patch("skill_seekers.cli.github_scraper.Github"):
scraper = self.GitHubScraper(config)
scraper.repo = None
scraper.github.get_repo = Mock(side_effect=GithubException(404, "Not found"))
# Should raise ValueError with helpful message
with self.assertRaises(ValueError) as context:
scraper._fetch_repository()
self.assertIn("Repository not found", str(context.exception))
def test_rate_limit_error(self):
"""Test handling of rate limit errors"""
config = {
"repo": "facebook/react",
"name": "react",
"github_token": None,