e42faf550c5d8faf1e7c5059ef39dd60bc3ed8a1
[nit.git] / lib / github / api.nit
1 # This file is part of NIT ( http://www.nitlanguage.org ).
2 #
3 # Licensed under the Apache License, Version 2.0 (the "License");
4 # you may not use this file except in compliance with the License.
5 # You may obtain a copy of the License at
6 #
7 # http://www.apache.org/licenses/LICENSE-2.0
8 #
9 # Unless required by applicable law or agreed to in writing, software
10 # distributed under the License is distributed on an "AS IS" BASIS,
11 # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
12 # See the License for the specific language governing permissions and
13 # limitations under the License.
14
15 # Nit object oriented interface to [Github api](https://developer.github.com/v3/).
16 #
17 # This modules reifies Github API elements as Nit classes.
18 #
19 # For most use-cases you need to use the `GithubAPI` client.
20 module api
21
22 import github_curl
23 intrude import json::serialization
24
25 # Client to Github API
26 #
27 # To access the API you need an instance of a `GithubAPI` client.
28 #
29 # ~~~
30 # # Get Github authentification token.
31 # var token = get_github_oauth
32 # assert not token.is_empty
33 #
34 # # Init the client.
35 # var api = new GithubAPI(token)
36 # ~~~
37 #
38 # The API client allows you to get Github API entities.
39 #
40 # ~~~
41 # var repo = api.load_repo("nitlang/nit")
42 # assert repo != null
43 # assert repo.name == "nit"
44 #
45 # var user = api.load_user("Morriar")
46 # assert user != null
47 # assert user.login == "Morriar"
48 # ~~~
49 class GithubAPI
50
51 # Github API OAuth token
52 #
53 # To access your private ressources, you must
54 # [authenticate](https://developer.github.com/guides/basics-of-authentication/).
55 #
56 # For client applications, Github recommands to use the
57 # [OAuth tokens](https://developer.github.com/v3/oauth/) authentification method.
58 #
59 #
60 #
61 # Be aware that there is [rate limits](https://developer.github.com/v3/rate_limit/)
62 # associated to the key.
63 var auth: String
64
65 # Github API base url.
66 #
67 # Default is `https://api.github.com` and should not be changed.
68 var api_url = "https://api.github.com"
69
70 # User agent used for HTTP requests.
71 #
72 # Default is `nit_github_api`.
73 #
74 # See <https://developer.github.com/v3/#user-agent-required>
75 var user_agent = "nit_github_api"
76
77 # Curl instance.
78 #
79 # Internal Curl instance used to perform API calls.
80 private var ghcurl: GithubCurl is noinit
81
82 # Verbosity level.
83 #
84 # * `0`: only errors (default)
85 # * `1`: verbose
86 var verbose_lvl = 0 is public writable
87
88 init do
89 ghcurl = new GithubCurl(auth, user_agent)
90 end
91
92 # Deserialize an object
93 fun deserialize(string: String): nullable Object do
94 var deserializer = new GithubDeserializer(string)
95 var res = deserializer.deserialize
96 # print deserializer.errors.join("\n") # DEBUG
97 return res
98 end
99
100 # Execute a GET request on Github API.
101 #
102 # This method returns raw json data.
103 # See other `load_*` methods to use more expressive types.
104 #
105 # var api = new GithubAPI(get_github_oauth)
106 # var obj = api.get("/repos/nitlang/nit")
107 # assert obj isa JsonObject
108 # assert obj["name"] == "nit"
109 #
110 # Returns `null` in case of `error`.
111 #
112 # obj = api.get("/foo/bar/baz")
113 # assert obj == null
114 # assert api.was_error
115 # var err = api.last_error
116 # assert err isa GithubError
117 # assert err.name == "GithubAPIError"
118 # assert err.message == "Not Found"
119 fun get(path: String): nullable Jsonable do
120 path = sanitize_uri(path)
121 var res = ghcurl.get_and_parse("{api_url}{path}")
122 if res isa Error then
123 last_error = res
124 was_error = true
125 return null
126 end
127 was_error = false
128 return res
129 end
130
131 # Display a message depending on `verbose_lvl`.
132 fun message(lvl: Int, message: String) do
133 if lvl <= verbose_lvl then print message
134 end
135
136 # Escape `uri` in an acceptable format for Github.
137 private fun sanitize_uri(uri: String): String do
138 # TODO better URI escape.
139 return uri.replace(" ", "%20")
140 end
141
142 # Last error occured during Github API communications.
143 var last_error: nullable Error = null is public writable
144
145 # Does the last request provoqued an error?
146 var was_error = false is protected writable
147
148 # Load the json object from Github.
149 # See `GithubEntity::load_from_github`.
150 protected fun load_from_github(key: String): nullable GithubEntity do
151 message(1, "Get {key} (github)")
152 var res = get(key)
153 if was_error then return null
154 return deserialize(res.as(JsonObject).to_json).as(nullable GithubEntity)
155 end
156
157 # Get the Github logged user from `auth` token.
158 #
159 # Loads the `User` from the API or returns `null` if the user cannot be found.
160 #
161 # ~~~nitish
162 # var api = new GithubAPI(get_github_oauth)
163 # var user = api.load_auth_user
164 # assert user.login == "Morriar"
165 # ~~~
166 fun load_auth_user: nullable User do
167 var user = load_from_github("/user")
168 if was_error then return null
169 return user.as(nullable User)
170 end
171
172 # Get the Github user with `login`
173 #
174 # Loads the `User` from the API or returns `null` if the user cannot be found.
175 #
176 # var api = new GithubAPI(get_github_oauth)
177 # var user = api.load_user("Morriar")
178 # print user or else "null"
179 # assert user.login == "Morriar"
180 fun load_user(login: String): nullable User do
181 return load_from_github("/users/{login}").as(nullable User)
182 end
183
184 # Get the Github repo with `full_name`.
185 #
186 # Loads the `Repo` from the API or returns `null` if the repo cannot be found.
187 #
188 # var api = new GithubAPI(get_github_oauth)
189 # var repo = api.load_repo("nitlang/nit")
190 # assert repo.name == "nit"
191 # assert repo.owner.login == "nitlang"
192 # assert repo.default_branch == "master"
193 fun load_repo(full_name: String): nullable Repo do
194 return load_from_github("/repos/{full_name}").as(nullable Repo)
195 end
196
197 # List of branches associated with their names.
198 fun load_repo_branches(repo: Repo): Array[Branch] do
199 message(1, "Get branches for {repo.full_name}")
200 var array = get("/repos/{repo.full_name}/branches")
201 var res = new Array[Branch]
202 if not array isa JsonArray then return res
203 return deserialize(array.to_json).as(Array[Branch])
204 end
205
206 # List of issues associated with their ids.
207 fun load_repo_issues(repo: Repo): Array[Issue] do
208 message(1, "Get issues for {repo.full_name}")
209 var res = new Array[Issue]
210 var issue = load_repo_last_issue(repo)
211 if issue == null then return res
212 res.add issue
213 while issue != null and issue.number > 1 do
214 issue = load_issue(repo, issue.number - 1)
215 if issue == null then continue
216 res.add issue
217 end
218 return res
219 end
220
221 # Search issues in this repo form an advanced query.
222 #
223 # Example:
224 #
225 # ~~~nitish
226 # var issues = repo.search_issues("is:open label:need_review")
227 # ~~~
228 #
229 # See <https://developer.github.com/v3/search/#search-issues>.
230 fun search_repo_issues(repo: Repo, query: String): Array[Issue] do
231 query = "/search/issues?q={query} repo:{repo.full_name}"
232 var res = new Array[Issue]
233 var response = get(query)
234 if was_error then return res
235 var arr = response.as(JsonObject)["items"].as(JsonArray)
236 return deserialize(arr.to_json).as(Array[Issue])
237 end
238
239 # Get the last published issue.
240 fun load_repo_last_issue(repo: Repo): nullable Issue do
241 var array = get("/repos/{repo.full_name}/issues")
242 if not array isa JsonArray then return null
243 if array.is_empty then return null
244 var obj = array.first
245 if not obj isa JsonObject then return null
246 return deserialize(obj.to_json).as(nullable Issue)
247 end
248
249 # List of labels associated with their names.
250 fun load_repo_labels(repo: Repo): Array[Label] do
251 message(1, "Get labels for {repo.full_name}")
252 var array = get("repos/{repo.full_name}/labels")
253 if not array isa JsonArray then return new Array[Label]
254 return deserialize(array.to_json).as(Array[Label])
255 end
256
257 # List of milestones associated with their ids.
258 fun load_repo_milestones(repo: Repo): Array[Milestone] do
259 message(1, "Get milestones for {repo.full_name}")
260 var array = get("/repos/{repo.full_name}/milestones")
261 if not array isa JsonArray then return new Array[Milestone]
262 return deserialize(array.to_json).as(Array[Milestone])
263 end
264
265 # List of pull-requests associated with their ids.
266 #
267 # Implementation notes: because PR numbers are not consecutive,
268 # PR are loaded from pages.
269 # See: https://developer.github.com/v3/pulls/#list-pull-requests
270 fun load_repo_pulls(repo: Repo): Array[PullRequest] do
271 message(1, "Get pulls for {repo.full_name}")
272 var key = "/repos/{repo.full_name}"
273 var res = new Array[PullRequest]
274 var page = 1
275 loop
276 var array = get("{key}/pulls?page={page}").as(JsonArray)
277 if array.is_empty then break
278 for obj in array do
279 if not obj isa JsonObject then continue
280 var pr = deserialize(array.to_json).as(nullable PullRequest)
281 if pr == null then continue
282 res.add pr
283 end
284 page += 1
285 end
286 return res
287 end
288
289 # List of contributor related statistics.
290 fun load_repo_contrib_stats(repo: Repo): Array[ContributorStats] do
291 message(1, "Get contributor stats for {repo.full_name}")
292 var res = new Array[ContributorStats]
293 var array = get("/repos/{repo.full_name}/stats/contributors")
294 if not array isa JsonArray then return res
295 return deserialize(array.to_json).as(Array[ContributorStats])
296 end
297
298 # Get the Github branch with `name`.
299 #
300 # Returns `null` if the branch cannot be found.
301 #
302 # var api = new GithubAPI(get_github_oauth)
303 # var repo = api.load_repo("nitlang/nit")
304 # assert repo != null
305 # var branch = api.load_branch(repo, "master")
306 # assert branch.name == "master"
307 # assert branch.commit isa Commit
308 fun load_branch(repo: Repo, name: String): nullable Branch do
309 return load_from_github("/repos/{repo.full_name}/branches/{name}").as(nullable Branch)
310 end
311
312 # List all commits in `self`.
313 #
314 # This can be long depending on the branch size.
315 # Commit are returned in an unspecified order.
316 fun load_branch_commits(branch: Branch): Array[Commit] do
317 var res = new Array[Commit]
318 var done = new HashSet[String]
319 var todos = new Array[Commit]
320 todos.add branch.commit
321 loop
322 if todos.is_empty then break
323 var commit = todos.pop
324 if done.has(commit.sha) then continue
325 done.add commit.sha
326 res.add commit
327 var parents = commit.parents
328 if parents == null then continue
329 for parent in parents do
330 todos.add parent
331 end
332 end
333 return res
334 end
335
336 # Get the Github commit with `sha`.
337 #
338 # Returns `null` if the commit cannot be found.
339 #
340 # var api = new GithubAPI(get_github_oauth)
341 # var repo = api.load_repo("nitlang/nit")
342 # assert repo != null
343 # var commit = api.load_commit(repo, "64ce1f")
344 # assert commit isa Commit
345 fun load_commit(repo: Repo, sha: String): nullable Commit do
346 return load_from_github("/repos/{repo.full_name}/commits/{sha}").as(nullable Commit)
347 end
348
349 # Get the Github issue #`number`.
350 #
351 # Returns `null` if the issue cannot be found.
352 #
353 # var api = new GithubAPI(get_github_oauth)
354 # var repo = api.load_repo("nitlang/nit")
355 # assert repo != null
356 # var issue = api.load_issue(repo, 1)
357 # assert issue.title == "Doc"
358 fun load_issue(repo: Repo, number: Int): nullable Issue do
359 return load_from_github("/repos/{repo.full_name}/issues/{number}").as(nullable Issue)
360 end
361
362 # List of event on this issue.
363 fun load_issue_comments(repo: Repo, issue: Issue): Array[IssueComment] do
364 var res = new Array[IssueComment]
365 var count = issue.comments or else 0
366 var page = 1
367 loop
368 var array = get("/repos/{repo.full_name}/issues/{issue.number}/comments?page={page}")
369 if not array isa JsonArray then break
370 if array.is_empty then break
371 for obj in array do
372 if not obj isa JsonObject then continue
373 var id = obj["id"].as(Int)
374 var comment = load_issue_comment(repo, id)
375 if comment == null then continue
376 res.add(comment)
377 end
378 if res.length >= count then break
379 page += 1
380 end
381 return res
382 end
383
384 # List of events on this issue.
385 fun load_issue_events(repo: Repo, issue: Issue): Array[IssueEvent] do
386 var res = new Array[IssueEvent]
387 var key = "/repos/{repo.full_name}/issues/{issue.number}"
388 var page = 1
389 loop
390 var array = get("{key}/events?page={page}")
391 if not array isa JsonArray or array.is_empty then break
392 for obj in array do
393 if not obj isa JsonObject then continue
394 var event = deserialize(obj.to_json).as(nullable IssueEvent)
395 if event == null then continue
396 res.add event
397 end
398 page += 1
399 end
400 return res
401 end
402
403 # Get the Github pull request #`number`.
404 #
405 # Returns `null` if the pull request cannot be found.
406 #
407 # var api = new GithubAPI(get_github_oauth)
408 # var repo = api.load_repo("nitlang/nit")
409 # assert repo != null
410 # var pull = api.load_pull(repo, 1)
411 # assert pull.title == "Doc"
412 # assert pull.user.login == "Morriar"
413 fun load_pull(repo: Repo, number: Int): nullable PullRequest do
414 return load_from_github("/repos/{repo.full_name}/pulls/{number}").as(nullable PullRequest)
415 end
416
417 # Get the Github label with `name`.
418 #
419 # Returns `null` if the label cannot be found.
420 #
421 # var api = new GithubAPI(get_github_oauth)
422 # var repo = api.load_repo("nitlang/nit")
423 # assert repo != null
424 # var labl = api.load_label(repo, "ok_will_merge")
425 # assert labl != null
426 fun load_label(repo: Repo, name: String): nullable Label do
427 return load_from_github("/repos/{repo.full_name}/labels/{name}").as(nullable Label)
428 end
429
430 # Get the Github milestone with `id`.
431 #
432 # Returns `null` if the milestone cannot be found.
433 #
434 # var api = new GithubAPI(get_github_oauth)
435 # var repo = api.load_repo("nitlang/nit")
436 # assert repo != null
437 # var stone = api.load_milestone(repo, 4)
438 # assert stone.title == "v1.0prealpha"
439 fun load_milestone(repo: Repo, id: Int): nullable Milestone do
440 return load_from_github("/repos/{repo.full_name}/milestones/{id}").as(nullable Milestone)
441 end
442
443 # Get the Github issue event with `id`.
444 #
445 # Returns `null` if the event cannot be found.
446 #
447 # var api = new GithubAPI(get_github_oauth)
448 # var repo = api.load_repo("nitlang/nit")
449 # assert repo isa Repo
450 # var event = api.load_issue_event(repo, 199674194)
451 # assert event isa IssueEvent
452 # assert event.actor.login == "privat"
453 # assert event.event == "labeled"
454 # assert event.labl isa Label
455 # assert event.labl.name == "need_review"
456 fun load_issue_event(repo: Repo, id: Int): nullable IssueEvent do
457 return load_from_github("/repos/{repo.full_name}/issues/events/{id}").as(nullable IssueEvent)
458 end
459
460 # Get the Github commit comment with `id`.
461 #
462 # Returns `null` if the comment cannot be found.
463 #
464 # var api = new GithubAPI(get_github_oauth)
465 # var repo = api.load_repo("nitlang/nit")
466 # assert repo != null
467 # var comment = api.load_commit_comment(repo, 8982707)
468 # assert comment.user.login == "Morriar"
469 # assert comment.body == "For testing purposes..."
470 # assert comment.commit_id == "7eacb86d1e24b7e72bc9ac869bf7182c0300ceca"
471 fun load_commit_comment(repo: Repo, id: Int): nullable CommitComment do
472 return load_from_github("/repos/{repo.full_name}/comments/{id}").as(nullable CommitComment)
473 end
474
475 # Get the Github issue comment with `id`.
476 #
477 # Returns `null` if the comment cannot be found.
478 #
479 # var api = new GithubAPI(get_github_oauth)
480 # var repo = api.load_repo("nitlang/nit")
481 # assert repo != null
482 # var comment = api.load_issue_comment(repo, 6020149)
483 # assert comment.user.login == "privat"
484 # assert comment.created_at.to_s == "2012-05-30T20:16:54Z"
485 # assert comment.issue_number == 10
486 fun load_issue_comment(repo: Repo, id: Int): nullable IssueComment do
487 return load_from_github("/repos/{repo.full_name}/issues/comments/{id}").as(nullable IssueComment)
488 end
489
490 # Get the Github diff comment with `id`.
491 #
492 # Returns `null` if the comment cannot be found.
493 #
494 # var api = new GithubAPI(get_github_oauth)
495 # var repo = api.load_repo("nitlang/nit")
496 # assert repo != null
497 # var comment = api.load_review_comment(repo, 21010363)
498 # assert comment.path == "src/modelize/modelize_property.nit"
499 # assert comment.original_position == 26
500 # assert comment.pull_number == 945
501 fun load_review_comment(repo: Repo, id: Int): nullable ReviewComment do
502 return load_from_github("/repos/{repo.full_name}/pulls/comments/{id}").as(nullable ReviewComment)
503 end
504 end
505
506 # Something returned by the Github API.
507 #
508 # Mainly a Nit wrapper around a JSON objet.
509 abstract class GithubEntity
510 super Jsonable
511 serialize
512
513 # Github page url.
514 var html_url: nullable String is writable
515 end
516
517 # A Github user
518 #
519 # Provides access to [Github user data](https://developer.github.com/v3/users/).
520 # Should be accessed from `GithubAPI::load_user`.
521 class User
522 super GithubEntity
523 serialize
524
525 # Github login.
526 var login: String is writable
527
528 # Avatar image url for this user.
529 var avatar_url: nullable String is writable
530 end
531
532 # A Github repository.
533 #
534 # Provides access to [Github repo data](https://developer.github.com/v3/repos/).
535 # Should be accessed from `GithubAPI::load_repo`.
536 class Repo
537 super GithubEntity
538 serialize
539
540 # Repo full name on Github.
541 var full_name: String is writable
542
543 # Repo short name on Github.
544 var name: String is writable
545
546 # Get the repo owner.
547 var owner: User is writable
548
549 # Repo default branch name.
550 var default_branch: String is writable
551 end
552
553 # A Github branch.
554 #
555 # Should be accessed from `GithubAPI::load_branch`.
556 #
557 # See <https://developer.github.com/v3/repos/#list-branches>.
558 class Branch
559 super GithubEntity
560 serialize
561
562 # Branch name.
563 var name: String is writable
564
565 # Get the last commit of `self`.
566 var commit: Commit is writable
567 end
568
569 # A Github commit.
570 #
571 # Should be accessed from `GithubAPI::load_commit`.
572 #
573 # See <https://developer.github.com/v3/repos/commits/>.
574 class Commit
575 super GithubEntity
576 serialize
577
578 # Commit SHA.
579 var sha: String is writable
580
581 # Parent commits of `self`.
582 var parents: nullable Array[Commit] = null is writable
583
584 # Author of the commit.
585 var author: nullable User is writable
586
587 # Committer of the commit.
588 var committer: nullable User is writable
589
590 # Authoring date as String.
591 var author_date: nullable String is writable
592
593 # Authoring date as ISODate.
594 fun iso_author_date: nullable ISODate do
595 var author_date = self.author_date
596 if author_date == null then return null
597 return new ISODate.from_string(author_date)
598 end
599
600 # Commit date as String.
601 var commit_date: nullable String is writable
602
603 # Commit date as ISODate.
604 fun iso_commit_date: nullable ISODate do
605 var commit_date = self.commit_date
606 if commit_date == null then return null
607 return new ISODate.from_string(commit_date)
608 end
609
610 # List files staged in this commit.
611 var files: nullable Array[GithubFile] = null is optional, writable
612
613 # Commit message.
614 var message: nullable String is writable
615 end
616
617 # A Github issue.
618 #
619 # Should be accessed from `GithubAPI::load_issue`.
620 #
621 # See <https://developer.github.com/v3/issues/>.
622 class Issue
623 super GithubEntity
624 serialize
625
626 # Issue Github ID.
627 var number: Int is writable
628
629 # Issue id.
630 var id: nullable Int is writable
631
632 # Issue title.
633 var title: String is writable
634
635 # User that created this issue.
636 var user: nullable User is writable
637
638 # List of labels on this issue associated to their names.
639 var labels: nullable Array[Label] is writable
640
641 # State of the issue on Github.
642 var state: String is writable
643
644 # Is the issue locked?
645 var locked: nullable Bool is writable
646
647 # Assigned `User` (if any).
648 var assignee: nullable User is writable
649
650 # `Milestone` (if any).
651 var milestone: nullable Milestone is writable
652
653 # Number of comments on this issue.
654 var comments: nullable Int is writable
655
656 # Creation time as String.
657 var created_at: String is writable
658
659 # Creation time as ISODate.
660 fun iso_created_at: ISODate do
661 return new ISODate.from_string(created_at)
662 end
663
664 # Last update time as String (if any).
665 var updated_at: nullable String is writable
666
667 # Last update date as ISODate.
668 fun iso_updated_at: nullable ISODate do
669 var updated_at = self.updated_at
670 if updated_at == null then return null
671 return new ISODate.from_string(updated_at)
672 end
673
674 # Close time as String (if any).
675 var closed_at: nullable String is writable
676
677 # Close time as ISODate.
678 fun iso_closed_at: nullable ISODate do
679 var closed_at = self.closed_at
680 if closed_at == null then return null
681 return new ISODate.from_string(closed_at)
682 end
683
684 # Full description of the issue.
685 var body: nullable String is writable
686
687 # User that closed this issue (if any).
688 var closed_by: nullable User is writable
689
690 # Is this issue linked to a pull request?
691 var is_pull_request: Bool = false is writable, noserialize
692 end
693
694 # A Github pull request.
695 #
696 # Should be accessed from `GithubAPI::load_pull`.
697 #
698 # PullRequest are basically Issues with more data.
699 # See <https://developer.github.com/v3/pulls/>.
700 class PullRequest
701 super Issue
702 serialize
703
704 # Merge time as String (if any).
705 var merged_at: nullable String is writable
706
707 # Merge time as ISODate.
708 fun iso_merged_at: nullable ISODate do
709 var merged_at = self.merged_at
710 if merged_at == null then return null
711 return new ISODate.from_string(merged_at)
712 end
713
714 # Merge commit SHA.
715 var merge_commit_sha: nullable String is writable
716
717 # Count of comments made on the pull request diff.
718 var review_comments: Int is writable
719
720 # Pull request head (can be a commit SHA or a branch name).
721 var head: PullRef is writable
722
723 # Pull request base (can be a commit SHA or a branch name).
724 var base: PullRef is writable
725
726 # Is this pull request merged?
727 var merged: Bool is writable
728
729 # Is this pull request mergeable?
730 var mergeable: nullable Bool is writable
731
732 # Mergeable state of this pull request.
733 #
734 # See <https://developer.github.com/v3/pulls/#list-pull-requests>.
735 var mergeable_state: String is writable
736
737 # User that merged this pull request (if any).
738 var merged_by: nullable User is writable
739
740 # Count of commits in this pull request.
741 var commits: Int is writable
742
743 # Added line count.
744 var additions: Int is writable
745
746 # Deleted line count.
747 var deletions: Int is writable
748
749 # Changed files count.
750 var changed_files: Int is writable
751 end
752
753 # A pull request reference (used for head and base).
754 class PullRef
755 serialize
756
757 # Label pointed by `self`.
758 var labl: String is writable, serialize_as("label")
759
760 # Reference pointed by `self`.
761 var ref: String is writable
762
763 # Commit SHA pointed by `self`.
764 var sha: String is writable
765
766 # User pointed by `self`.
767 var user: User is writable
768
769 # Repo pointed by `self` (if any).
770 #
771 # A `null` value means the `repo` was deleted.
772 var repo: nullable Repo is writable
773 end
774
775 # A Github label.
776 #
777 # Should be accessed from `GithubAPI::load_label`.
778 #
779 # See <https://developer.github.com/v3/issues/labels/>.
780 class Label
781 super GithubEntity
782 serialize
783
784 # Label name.
785 var name: String is writable
786
787 # Label color code.
788 var color: String is writable
789 end
790
791 # A Github milestone.
792 #
793 # Should be accessed from `GithubAPI::load_milestone`.
794 #
795 # See <https://developer.github.com/v3/issues/milestones/>.
796 class Milestone
797 super GithubEntity
798 serialize
799
800 # The milestone id on Github.
801 var number: Int is writable
802
803 # Milestone title.
804 var title: String is writable
805
806 # Milestone long description.
807 var description: String is writable
808
809 # Count of opened issues linked to this milestone.
810 var open_issues: Int is writable
811
812 # Count of closed issues linked to this milestone.
813 var closed_issues: Int is writable
814
815 # Milestone state.
816 var state: String is writable
817
818 # Creation time as String.
819 var created_at: String is writable
820
821 # Creation time as ISODate.
822 fun iso_created_at: nullable ISODate do return new ISODate.from_string(created_at)
823
824 # User that created this milestone.
825 var creator: User is writable
826
827 # Due time as String (if any).
828 var due_on: nullable String is writable
829
830 # Due time in ISODate format (if any).
831 fun iso_due_on: nullable ISODate do
832 var due_on = self.due_on
833 if due_on == null then return null
834 return new ISODate.from_string(due_on)
835 end
836
837 # Last update time as String (if any).
838 var updated_at: nullable String is writable
839
840 # Last update date as ISODate.
841 fun iso_updated_at: nullable ISODate do
842 var updated_at = self.updated_at
843 if updated_at == null then return null
844 return new ISODate.from_string(updated_at)
845 end
846
847 # Close time as String (if any).
848 var closed_at: nullable String is writable
849
850 # Close time as ISODate.
851 fun iso_closed_at: nullable ISODate do
852 var closed_at = self.closed_at
853 if closed_at == null then return null
854 return new ISODate.from_string(closed_at)
855 end
856 end
857
858 # A Github comment
859 #
860 # There is two kinds of comments:
861 #
862 # * `CommitComment` are made on a commit page.
863 # * `IssueComment` are made on an issue or pull request page.
864 # * `ReviewComment` are made on the diff associated to a pull request.
865 abstract class Comment
866 super GithubEntity
867 serialize
868
869 # Identifier of this comment.
870 var id: Int is writable
871
872 # User that made this comment.
873 var user: User is writable
874
875 # Creation time as String.
876 var created_at: String is writable
877
878 # Creation time as ISODate.
879 fun iso_created_at: nullable ISODate do
880 return new ISODate.from_string(created_at)
881 end
882
883 # Last update time as String (if any).
884 var updated_at: nullable String is writable
885
886 # Last update date as ISODate.
887 fun iso_updated_at: nullable ISODate do
888 var updated_at = self.updated_at
889 if updated_at == null then return null
890 return new ISODate.from_string(updated_at)
891 end
892
893 # Comment body text.
894 var body: String is writable
895
896 # Does the comment contain an acknowledgement (+1)
897 fun is_ack: Bool do
898 return body.has("\\+1\\b".to_re) or body.has(":+1:") or body.has(":shipit:")
899 end
900 end
901
902 # A comment made on a commit.
903 class CommitComment
904 super Comment
905 serialize
906
907 # Commented commit.
908 var commit_id: String is writable
909
910 # Position of the comment on the line.
911 var position: nullable Int is writable
912
913 # Line of the comment.
914 var line: nullable Int is writable
915
916 # Path of the commented file.
917 var path: nullable String is writable
918 end
919
920 # Comments made on Github issue and pull request pages.
921 #
922 # Should be accessed from `GithubAPI::load_issue_comment`.
923 #
924 # See <https://developer.github.com/v3/issues/comments/>.
925 class IssueComment
926 super Comment
927 serialize
928
929 # Issue that contains `self`.
930 fun issue_number: Int do return issue_url.split("/").last.to_i
931
932 # Link to the issue document on API.
933 var issue_url: String is writable
934 end
935
936 # Comments made on Github pull request diffs.
937 #
938 # Should be accessed from `GithubAPI::load_diff_comment`.
939 #
940 # See <https://developer.github.com/v3/pulls/comments/>.
941 class ReviewComment
942 super Comment
943 serialize
944
945 # Pull request that contains `self`.
946 fun pull_number: Int do return pull_request_url.split("/").last.to_i
947
948 # Link to the pull request on API.
949 var pull_request_url: String is writable
950
951 # Diff hunk.
952 var diff_hunk: String is writable
953
954 # Path of commented file.
955 var path: String is writable
956
957 # Position of the comment on the file.
958 var position: nullable Int is writable
959
960 # Original position in the diff.
961 var original_position: Int is writable
962
963 # Commit referenced by this comment.
964 var commit_id: String is writable
965
966 # Original commit id.
967 var original_commit_id: String is writable
968 end
969
970 # An event that occurs on a Github `Issue`.
971 #
972 # Should be accessed from `GithubAPI::load_issue_event`.
973 #
974 # See <https://developer.github.com/v3/issues/events/>.
975 class IssueEvent
976 super GithubEntity
977 serialize
978
979 # Event id on Github.
980 var id: Int is writable
981
982 # User that initiated the event.
983 var actor: User is writable
984
985 # Creation time as String.
986 var created_at: String is writable
987
988 # Creation time as ISODate.
989 fun iso_created_at: nullable ISODate do
990 return new ISODate.from_string(created_at)
991 end
992
993 # Event descriptor.
994 var event: String is writable
995
996 # Commit linked to this event (if any).
997 var commit_id: nullable String is writable
998
999 # Label linked to this event (if any).
1000 var labl: nullable Label is writable, serialize_as("label")
1001
1002 # User linked to this event (if any).
1003 var assignee: nullable User is writable
1004
1005 # Milestone linked to this event (if any).
1006 var milestone: nullable Milestone is writable
1007
1008 # Rename linked to this event (if any).
1009 var rename: nullable RenameAction is writable
1010 end
1011
1012 # A rename action maintains the name before and after a renaming action.
1013 class RenameAction
1014 serialize
1015
1016 # Name before renaming.
1017 var from: String is writable
1018
1019 # Name after renaming.
1020 var to: String is writable
1021 end
1022
1023 #
1024 # Should be accessed from `Repo::contrib_stats`.
1025 #
1026 # See <https://developer.github.com/v3/repos/statistics/>.
1027 class ContributorStats
1028 super Comparable
1029 serialize
1030
1031 redef type OTHER: ContributorStats
1032
1033 # Github API client.
1034 var api: GithubAPI is writable
1035
1036 # User these statistics are about.
1037 var author: User is writable
1038
1039 # Total number of commit.
1040 var total: Int is writable
1041
1042 # Are of weeks of activity with detailed statistics.
1043 var weeks: JsonArray is writable
1044
1045 # ContributorStats can be compared on the total amount of commits.
1046 redef fun <(o) do return total < o.total
1047 end
1048
1049 # A Github file representation.
1050 #
1051 # Mostly a wrapper around a json object.
1052 class GithubFile
1053 serialize
1054
1055 # File name.
1056 var filename: String is writable
1057 end
1058
1059 # Make ISO Datew serilizable
1060 redef class ISODate
1061 super Jsonable
1062 serialize
1063 end
1064
1065 # JsonDeserializer specific for Github objects.
1066 class GithubDeserializer
1067 super JsonDeserializer
1068
1069 redef fun class_name_heuristic(json_object) do
1070 if json_object.has_key("login") or json_object.has_key("email") then
1071 return "User"
1072 else if json_object.has_key("full_name") then
1073 return "Repo"
1074 else if json_object.has_key("name") and json_object.has_key("commit") then
1075 return "Branch"
1076 else if json_object.has_key("sha") and json_object.has_key("ref") then
1077 return "PullRef"
1078 else if json_object.has_key("sha") or (json_object.has_key("id") and json_object.has_key("tree_id")) then
1079 return "Commit"
1080 else if json_object.has_key("number") and json_object.has_key("patch_url") then
1081 return "PullRequest"
1082 else if json_object.has_key("open_issues") and json_object.has_key("closed_issues") then
1083 return "Milestone"
1084 else if json_object.has_key("number") and json_object.has_key("title") then
1085 return "Issue"
1086 else if json_object.has_key("color") then
1087 return "Label"
1088 else if json_object.has_key("event") then
1089 return "IssueEvent"
1090 else if json_object.has_key("original_commit_id") then
1091 return "ReviewComment"
1092 else if json_object.has_key("commit_id") then
1093 return "CommitComment"
1094 else if json_object.has_key("issue_url") then
1095 return "IssueComment"
1096 end
1097 return null
1098 end
1099
1100 redef fun deserialize_class(name) do
1101 if name == "Issue" then
1102 var issue = super.as(Issue)
1103 if path.last.has_key("pull_request") then
1104 issue.is_pull_request = true
1105 end
1106 return issue
1107 end
1108 return super
1109 end
1110 end