1
0
Fork 0
mirror of https://github.com/documize/community.git synced 2025-07-23 23:29:42 +02:00

Fetching Jira issues

This commit is contained in:
HarveyKandola 2018-08-07 19:15:25 +01:00
parent 7878a244d3
commit 0f9602e3a0
8 changed files with 196 additions and 334 deletions

View file

@ -12,13 +12,12 @@
package jira package jira
import ( import (
// "encoding/base64" "bytes"
"encoding/json" "encoding/json"
"fmt" "fmt"
// "io/ioutil" "html/template"
"io/ioutil"
"net/http" "net/http"
// "bytes"
// "html/template"
"github.com/documize/community/core/env" "github.com/documize/community/core/env"
"github.com/documize/community/domain" "github.com/documize/community/domain"
@ -131,218 +130,129 @@ func (p *Provider) Command(ctx *provider.Context, w http.ResponseWriter, r *http
} }
switch method { switch method {
// case "secrets": case "preview":
// secs(ctx, p.Store, w, r) preview(ctx, p.Store, w, r)
case "auth": case "auth":
auth(ctx, p.Store, w, r) auth(ctx, p.Store, w, r)
// case "workspace":
// workspace(ctx, p.Store, w, r)
// case "items":
// items(ctx, p.Store, w, r)
} }
} }
func auth(ctx *provider.Context, store *domain.Store, w http.ResponseWriter, r *http.Request) { func auth(ctx *provider.Context, store *domain.Store, w http.ResponseWriter, r *http.Request) {
var login = jiraLogin{} creds, err := getCredentials(ctx, store)
creds, err := store.Setting.GetUser(ctx.OrgID, "", "jira", "")
err = json.Unmarshal([]byte(creds), &login)
if err != nil { if err != nil {
provider.WriteForbidden(w) provider.WriteForbidden(w)
return return
} }
tp := jira.BasicAuthTransport{Username: login.Username, Password: login.Secret} // Authenticate
client, err := jira.NewClient(tp.Client(), login.URL) _, _, err = authenticate(creds)
if err != nil {
u, _, err := client.User.Get(login.Username) fmt.Println(err)
fmt.Printf("\nEmail: %v\nSuccess!\n", u.EmailAddress) provider.WriteError(w, logID, err)
return
// req, err := http.NewRequest("GET", fmt.Sprintf("%s/", login.URL), nil) }
// header := []byte(fmt.Sprintf("%s:%s", login.Username, login.Secret))
// req.Header.Set("Authorization", "Basic "+base64.StdEncoding.EncodeToString(header))
// client := &http.Client{}
// res, err := client.Do(req)
// if err != nil {
// provider.WriteError(w, logID, err)
// return
// }
// if res.StatusCode != http.StatusOK {
// provider.WriteForbidden(w)
// return
// }
// defer res.Body.Close()
// var g = geminiUser{}
// dec := json.NewDecoder(res.Body)
// err = dec.Decode(&g)
// if err != nil {
// provider.WriteError(w, logID, err)
// return
// }
provider.WriteJSON(w, "OK") provider.WriteJSON(w, "OK")
} }
/* func preview(ctx *provider.Context, store *domain.Store, w http.ResponseWriter, r *http.Request) {
func workspace(ctx *provider.Context, store *domain.Store, w http.ResponseWriter, r *http.Request) { creds, err := getCredentials(ctx, store)
defer r.Body.Close()
body, err := ioutil.ReadAll(r.Body)
if err != nil { if err != nil {
provider.WriteMessage(w, logID, "Bad payload") provider.WriteForbidden(w)
return return
} }
var config = geminiConfig{} client, _, err := authenticate(creds)
err = json.Unmarshal(body, &config)
if err != nil {
provider.WriteMessage(w, logID, "Bad payload")
return
}
config.Clean(ctx, store)
if len(config.URL) == 0 {
provider.WriteMessage(w, logID, "Missing URL value")
return
}
if len(config.Username) == 0 {
provider.WriteMessage(w, logID, "Missing Username value")
return
}
if len(config.APIKey) == 0 {
provider.WriteMessage(w, logID, "Missing APIKey value")
return
}
if config.UserID == 0 {
provider.WriteMessage(w, logID, "Missing UserId value")
return
}
req, err := http.NewRequest("GET", fmt.Sprintf("%s/api/navigationcards/users/%d", config.URL, config.UserID), nil)
creds := []byte(fmt.Sprintf("%s:%s", config.Username, config.APIKey))
req.Header.Set("Authorization", "Basic "+base64.StdEncoding.EncodeToString(creds))
client := &http.Client{}
res, err := client.Do(req)
if err != nil { if err != nil {
fmt.Println(err) fmt.Println(err)
provider.WriteError(w, logID, err) provider.WriteError(w, logID, err)
return return
} }
if res.StatusCode != http.StatusOK { config, err := readConfig(ctx, store, w, r)
provider.WriteForbidden(w)
return
}
defer res.Body.Close()
var workspace interface{}
dec := json.NewDecoder(res.Body)
err = dec.Decode(&workspace)
if err != nil {
provider.WriteError(w, logID, err)
return
}
provider.WriteJSON(w, workspace)
}
func items(ctx *provider.Context, store *domain.Store, w http.ResponseWriter, r *http.Request) {
defer r.Body.Close()
body, err := ioutil.ReadAll(r.Body)
if err != nil {
provider.WriteMessage(w, logID, "Bad payload")
return
}
var config = geminiConfig{}
err = json.Unmarshal(body, &config)
if err != nil {
provider.WriteMessage(w, logID, "Bad payload")
return
}
config.Clean(ctx, store)
if len(config.URL) == 0 {
provider.WriteMessage(w, logID, "Missing URL value")
return
}
if len(config.Username) == 0 {
provider.WriteMessage(w, logID, "Missing Username value")
return
}
if len(config.APIKey) == 0 {
provider.WriteMessage(w, logID, "Missing APIKey value")
return
}
creds := []byte(fmt.Sprintf("%s:%s", config.Username, config.APIKey))
filter, err := json.Marshal(config.Filter)
if err != nil {
provider.WriteError(w, logID, err)
return
}
var jsonFilter = []byte(string(filter))
req, err := http.NewRequest("POST", fmt.Sprintf("%s/api/items/filtered", config.URL), bytes.NewBuffer(jsonFilter))
req.Header.Set("Content-Type", "application/json")
req.Header.Set("Authorization", "Basic "+base64.StdEncoding.EncodeToString(creds))
client := &http.Client{}
res, err := client.Do(req)
if err != nil {
provider.WriteError(w, logID, err)
return
}
if res.StatusCode != http.StatusOK {
provider.WriteForbidden(w)
return
}
defer res.Body.Close()
var items interface{}
dec := json.NewDecoder(res.Body)
err = dec.Decode(&items)
if err != nil { if err != nil {
fmt.Println(err) fmt.Println(err)
provider.WriteError(w, logID, err) provider.WriteError(w, logID, err)
return return
} }
provider.WriteJSON(w, items) issues, err := getIssues(config, client)
w.Header().Set("Content-Type", "html; charset=utf-8")
w.WriteHeader(http.StatusOK)
w.Write([]byte(generateGrid(issues)))
} }
func secs(ctx *provider.Context, store *domain.Store, w http.ResponseWriter, r *http.Request) { // Pull config from HTTP request.
sec, _ := getSecrets(ctx, store) func readConfig(ctx *provider.Context, store *domain.Store, w http.ResponseWriter, r *http.Request) (config jiraConfig, err error) {
provider.WriteJSON(w, sec) defer r.Body.Close()
body, err := ioutil.ReadAll(r.Body)
if err != nil {
return
}
err = json.Unmarshal(body, &config)
if err != nil {
return
}
return
}
// Get Jira connector configuration.
func getCredentials(ctx *provider.Context, store *domain.Store) (login jiraLogin, err error) {
creds, err := store.Setting.GetUser(ctx.OrgID, "", "jira", "")
err = json.Unmarshal([]byte(creds), &login)
if err != nil {
return login, err
}
return
}
// Perform Jira login.
func authenticate(login jiraLogin) (c *jira.Client, u *jira.User, err error) {
tp := jira.BasicAuthTransport{Username: login.Username, Password: login.Secret}
c, err = jira.NewClient(tp.Client(), login.URL)
if err != nil {
return
}
u, _, err = c.User.Get(login.Username)
if err != nil {
return
}
return
}
// Fetch Jira issues using configuration criteria.
func getIssues(config jiraConfig, client *jira.Client) (issues []jira.Issue, err error) {
opts := &jira.SearchOptions{Expand: "", MaxResults: 500, StartAt: 0}
issues, _, err = client.Issue.Search(config.JQL, opts)
return
}
// Generate issues grid
func generateGrid(issues []jira.Issue) string {
t := template.New("issues")
t, _ = t.Parse(renderTemplate)
payload := jiraGrid{}
payload.ItemCount = len(issues)
payload.Issues = issues
buffer := new(bytes.Buffer)
t.Execute(buffer, payload)
return buffer.String()
} }
*/
type jiraConfig struct { type jiraConfig struct {
JQL int64 `json:"jql"` JQL string `json:"jql"`
ItemCount int `json:"itemCount"` ItemCount int `json:"itemCount"`
Filter map[string]interface{} `json:"filter"` Filter map[string]interface{} `json:"filter"`
} }
@ -352,3 +262,41 @@ type jiraLogin struct {
Username string `json:"username"` Username string `json:"username"`
Secret string `json:"secret"` Secret string `json:"secret"`
} }
type jiraGrid struct {
Issues []jira.Issue `json:"issues"`
ItemCount int `json:"itemCount"`
}
// the HTML that is rendered by this section.
const renderTemplate = `
<p>Showing {{.ItemCount}} Jira issues</p>
<table class="basic-table section-jira-table">
<thead>
<tr>
<th class="bordered no-width">Key</th>
<th class="bordered no-width">T</th>
<th class="bordered no-width">Status</th>
<th class="bordered no-width">P</th>
<th class="bordered no-width">Component</th>
<th class="bordered">Summary</th>
<th class="bordered no-width">Assignee</th>
<th class="bordered no-width">Fix Version/s</th>
</tr>
</thead>
<tbody>
{{range $item := .Issues}}
<tr>
<td class="bordered no-width"><a href="{{ $item.Self }}">{{ $item.Key }}</a></td>
<td class="bordered no-width"><img class="section-jira-icon" src='{{ $item.Fields.Type.IconURL }}' /></td>
<td class="bordered no-width">{{ $item.Fields.Status.Name }}</td>
<td class="bordered no-width"><img class="section-jira-icon" src='{{ $item.Fields.Priority.IconURL }}' /></td>
<td class="bordered no-width"></td>
<td class="bordered no-width">{{ $item.Fields.Summary }}</td>
<td class="bordered no-width">{{ $item.Fields.Assignee.DisplayName }}</td>
<td class="bordered no-width"></td>
</tr>
{{end}}
</tbody>
</table>
`

View file

@ -9,9 +9,6 @@
// //
// https://documize.com // https://documize.com
import $ from 'jquery';
import { set } from '@ember/object';
import { schedule } from '@ember/runloop';
import { inject as service } from '@ember/service'; import { inject as service } from '@ember/service';
import Component from '@ember/component'; import Component from '@ember/component';
import SectionMixin from '../../../mixins/section'; import SectionMixin from '../../../mixins/section';
@ -22,6 +19,7 @@ export default Component.extend(SectionMixin, TooltipMixin, {
isDirty: false, isDirty: false,
waiting: false, waiting: false,
authenticated: false, authenticated: false,
issuesGrid: '',
init() { init() {
this._super(...arguments); this._super(...arguments);
@ -48,96 +46,16 @@ export default Component.extend(SectionMixin, TooltipMixin, {
} }
this.set('config', config); this.set('config', config);
// let self = this;
// self.set('waiting', true);
// this.get('sectionService').fetch(this.get('page'), "secrets", this.get('config'))
// .then(function (response) {
// self.set('waiting', false);
// self.set('config.APIKey', response.apikey);
// self.set('config.url', response.url);
// self.set('config.username', response.username);
// if (response.apikey.length > 0 && response.url.length > 0 && response.username.length > 0) {
// self.send('auth');
// }
// }, function (reason) { // eslint-disable-line no-unused-vars
// self.set('waiting', false);
// if (self.get('config.userId') > 0) {
// self.send('auth');
// }
// });
},
getWorkspaces() {
let page = this.get('page');
let self = this;
this.set('waiting', true); this.set('waiting', true);
this.get('sectionService').fetch(page, "workspace", this.get('config')) this.get('sectionService').fetch(this.get('page'), "auth", this.get('config'))
.then(function (response) { .then((response) => { // eslint-disable-line no-unused-vars
// console.log(response); this.set('authenticated', true);
let workspaceId = self.get('config.workspaceId'); this.set('waiting', false);
}, (reason) => { // eslint-disable-line no-unused-vars
if (response.length > 0 && workspaceId === 0) { this.set('authenticated', false);
workspaceId = response[0].Id; this.set('waiting', false);
}
self.set("config.workspaceId", workspaceId);
self.set('workspaces', response);
self.selectWorkspace(workspaceId);
schedule('afterRender', () => {
window.scrollTo(0, document.body.scrollHeight);
self.renderTooltips();
});
self.set('waiting', false);
}, function (reason) { // eslint-disable-line no-unused-vars
self.set('workspaces', []);
self.set('waiting', false);
});
},
getItems() {
let page = this.get('page');
let self = this;
this.set('waiting', true);
this.get('sectionService').fetch(page, "items", this.get('config'))
.then(function (response) {
if (self.get('isDestroyed') || self.get('isDestroying')) {
return;
}
self.set('items', response);
self.set('config.itemCount', response.length);
self.set('waiting', false);
}, function (reason) { // eslint-disable-line no-unused-vars
if (self.get('isDestroyed') || self.get('isDestroying')) {
return;
}
self.set('items', []);
self.set('waiting', false);
});
},
selectWorkspace(id) {
let self = this;
let w = this.get('workspaces');
w.forEach(function (w) {
set(w, 'selected', w.Id === id);
if (w.Id === id) {
self.set("config.filter", w.Filter);
self.set("config.workspaceId", id);
self.set("config.workspaceName", w.Title);
// console.log(self.get('config'));
}
}); });
this.set('workspaces', w);
this.getItems();
}, },
actions: { actions: {
@ -145,55 +63,20 @@ export default Component.extend(SectionMixin, TooltipMixin, {
return this.get('isDirty'); return this.get('isDirty');
}, },
auth() { onPreview() {
// missing data?
if (is.empty(this.get('config.url'))) {
$("#gemini-url").addClass("is-invalid").focus();
return;
}
if (is.empty(this.get('config.username'))) {
$("#gemini-username").addClass("is-invalid").focus();
return;
}
if (is.empty(this.get('config.APIKey'))) {
$("#gemini-apikey").addClass("is-invalid").focus();
return;
}
// knock out spaces
this.set('config.url', this.get('config.url').trim());
this.set('config.username', this.get('config.username').trim());
this.set('config.APIKey', this.get('config.APIKey').trim());
// remove trailing slash in URL
let url = this.get('config.url');
if (url.indexOf("/", url.length - 1) !== -1) {
this.set('config.url', url.substring(0, url.length - 1));
}
let page = this.get('page');
let self = this;
this.set('waiting', true); this.set('waiting', true);
this.get('sectionService').fetch(page, "auth", this.get('config')) this.get('sectionService').fetchText(this.get('page'), 'preview', this.get('config'))
.then(function (response) { .then((response) => { // eslint-disable-line no-unused-vars
self.set('authenticated', true); this.set('issuesGrid', response);
self.set('user', response); this.set('authenticated', true);
self.set('config.userId', response.BaseEntity.id); this.set('waiting', false);
self.set('waiting', false); }, (reason) => { // eslint-disable-line no-unused-vars
self.getWorkspaces(); console.log(reason);
}, function (reason) { // eslint-disable-line no-unused-vars this.set('issuesGrid', '');
self.set('authenticated', false); this.set('authenticated', false);
self.set('user', null); this.set('waiting', false);
self.set('config.userId', 0); });
self.set('waiting', false);
});
},
onWorkspaceChange(id) {
this.set('isDirty', true);
this.selectWorkspace(id);
}, },
onCancel() { onCancel() {

View file

@ -9,16 +9,7 @@
// //
// https://documize.com // https://documize.com
import { inject as service } from '@ember/service';
import Controller from '@ember/controller'; import Controller from '@ember/controller';
export default Controller.extend({ export default Controller.extend({
orgService: service('organization'),
actions: {
save() {
return this.get('orgService').save(this.model.general).then(() => {
});
}
}
}); });

View file

@ -1 +1 @@
{{customize/integration-settings jira=jira}} {{customize/integration-settings jira=model.jira}}

View file

@ -47,6 +47,8 @@ export default Service.extend({
getOrgSetting(orgId, key) { getOrgSetting(orgId, key) {
return this.get('ajax').request(`organization/${orgId}/setting?key=${key}`, { return this.get('ajax').request(`organization/${orgId}/setting?key=${key}`, {
method: 'GET' method: 'GET'
}).then((response) => {
return JSON.parse(response);
}); });
}, },

View file

@ -48,6 +48,20 @@ export default BaseService.extend({
}); });
}, },
// Requests data from the specified section handler, passing the method and document ID
// and POST payload.
fetchText(page, method, data) {
let documentId = page.get('documentId');
let section = page.get('contentType');
let url = `sections?documentID=${documentId}&section=${section}&method=${method}`;
return this.get('ajax').post(url, {
data: JSON.stringify(data),
contentType: "application/json",
dataType: "html"
});
},
// Did any dynamic sections change? Fetch and send up for rendering? // Did any dynamic sections change? Fetch and send up for rendering?
refresh(documentId) { refresh(documentId) {
let url = `sections/refresh?documentID=${documentId}`; let url = `sections/refresh?documentID=${documentId}`;

View file

@ -3,3 +3,16 @@
padding: 0; padding: 0;
} }
.section-jira-table {
font-size: 1rem;
width: auto !important;
a:hover {
text-decoration: underline;
}
}
.section-jira-icon {
height: 16px;
width: 16px;
}

View file

@ -1,12 +1,17 @@
{{#section/base-editor document=document folder=folder page=page busy=waiting tip="Jira issue tracking" isDirty=(action 'isDirty') onCancel=(action 'onCancel') onAction=(action 'onAction')}} {{#section/base-editor document=document folder=folder page=page busy=waiting tip="Jira issue tracking" isDirty=(action 'isDirty') onCancel=(action 'onCancel') onAction=(action 'onAction')}}
<div class="row"> <div class="row">
<div class="col-12"> <div class="col-12 mb-5">
{{#unless authenticated}} {{#if session.isAdmin}}
<p>Your Documize administrator needs to provide Jira connection details before usage.</p> {{#link-to 'customize.integrations' class="btn btn-outline-secondary font-weight-bold"}}
{{/unless}} Configire Jira Connector
{{/link-to}}
{{else}}
{{#unless authenticated}}
<p>Your Documize administrator needs to provide Jira connection details before usage.</p>
{{/unless}}
{{/if}}
</div> </div>
</div> </div>
@ -15,9 +20,15 @@
<div class="col-12"> <div class="col-12">
<div class="form-group"> <div class="form-group">
<label for="gemini-url">Jira Query Language</label> <label for="gemini-url">Jira Query Language</label>
{{focus-input id="jira-jql" type="text" value=config.query class="form-control"}} {{focus-input id="jira-jql" type="text" value=config.jql class="form-control"}}
<small class="form-text text-muted">Find issues using JQL</small> <small class="form-text text-muted">Find issues using JQL</small>
</div> </div>
<button class="btn btn-secondary font-weight-bold" {{action 'onPreview'}}>Preview</button>
</div>
</div>
<div class="row my-5">
<div class="col-12">
{{{issuesGrid}}}
</div> </div>
</div> </div>
{{/if}} {{/if}}