-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathApp.js
163 lines (154 loc) · 5.57 KB
/
App.js
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
import React, { useState, useEffect } from 'react';
import EventLog from './EventLog';
import './App.css';
const App = () => {
const [profiles, setProfiles] = useState([]);
const [selectedProfile, setSelectedProfile] = useState('');
const [apiEndpoint, setApiEndpoint] = useState('');
const [projectName, setProjectName] = useState('');
const [authToken, setAuthToken] = useState('');
const [tableName, setTableName] = useState('');
const [primaryKey, setPrimaryKey] = useState('');
const [eventLogData, setEventLogData] = useState([]);
const [error, setError] = useState(null);
useEffect(() => {
const savedProfiles = JSON.parse(localStorage.getItem('eventLogProfiles')) || [];
setProfiles(savedProfiles);
if (savedProfiles.length > 0) {
const defaultProfile = savedProfiles[0];
setSelectedProfile(`${defaultProfile.apiEndpoint}-${defaultProfile.projectName}`);
setApiEndpoint(defaultProfile.apiEndpoint);
setProjectName(defaultProfile.projectName);
setAuthToken(defaultProfile.authToken);
setTableName(defaultProfile.tableName);
setPrimaryKey(defaultProfile.primaryKey);
}
}, []);
useEffect(() => {
localStorage.setItem('eventLogProfiles', JSON.stringify(profiles));
}, [profiles]);
const handleProfileChange = (e) => {
const profileKey = e.target.value;
setSelectedProfile(profileKey);
const profile = profiles.find(p => `${p.apiEndpoint}-${p.projectName}` === profileKey);
if (profile) {
setApiEndpoint(profile.apiEndpoint);
setProjectName(profile.projectName);
setAuthToken(profile.authToken);
setTableName(profile.tableName);
setPrimaryKey(profile.primaryKey);
}
};
const handleSaveProfile = () => {
const newProfile = {
apiEndpoint,
projectName,
authToken,
tableName,
primaryKey
};
setProfiles([...profiles.filter(p => `${p.apiEndpoint}-${p.projectName}` !== selectedProfile), newProfile]);
setSelectedProfile(`${apiEndpoint}-${projectName}`);
};
const fetchEventLogData = async () => {
try {
const response = await fetch(apiEndpoint.replace(/\/$/, '') + '/system/' + projectName, {
method: 'POST',
headers: {
'Content-Type': 'application/json',
'Authorization': `Bearer ${authToken}`
},
body: JSON.stringify({
query: `query ($tableName: String!, $primaryKey: PrimaryKey!) {
events(args: { stage: "live", filter: { rows: { tableName: $tableName primaryKey: [$primaryKey] } } }) {
type
identityId
identityDescription
appliedAt
... on CreateEvent {
tableName
primaryKey
newValues
}
... on UpdateEvent {
tableName
primaryKey
diffValues
}
... on DeleteEvent {
tableName
primaryKey
oldValues
}
}
}`,
variables: {
tableName,
primaryKey
}
})
});
if (!response.ok) {
throw new Error(`Error: ${response.status}: ${await response.text()}`);
}
const data = await response.json();
setEventLogData(data.data.events);
setError(null);
} catch (err) {
setError(err.message);
setEventLogData([]);
}
};
const handleSubmit = (e) => {
e.preventDefault();
fetchEventLogData();
};
return (
<div className="app-container">
<h1>Contember Event Log Viewer</h1>
{error && <div className="error-message">{error}</div>}
<form onSubmit={handleSubmit}>
<div className="form-container">
<div className="form-group">
<label>Profile:</label>
<select value={selectedProfile} onChange={handleProfileChange}>
{profiles.map(profile => (
<option key={`${profile.apiEndpoint}-${profile.projectName}`} value={`${profile.apiEndpoint}-${profile.projectName}`}>
{`${profile.apiEndpoint} - ${profile.projectName}`}
</option>
))}
</select>
</div>
<button type="button" onClick={handleSaveProfile} className="save-button">Save Profile</button>
</div>
<div className="form-container">
<div className="form-group">
<label>API Endpoint:</label>
<input type="text" value={apiEndpoint} onChange={(e) => setApiEndpoint(e.target.value)} />
</div>
<div className="form-group">
<label>Project Name:</label>
<input type="text" value={projectName} onChange={(e) => setProjectName(e.target.value)} />
</div>
<div className="form-group">
<label>Bearer Auth Token:</label>
<input type="password" value={authToken} onChange={(e) => setAuthToken(e.target.value)} />
</div>
<div className="form-group">
<label>Table Name:</label>
<input type="text" value={tableName} onChange={(e) => setTableName(e.target.value)} />
</div>
<div className="form-group">
<label>Primary Key:</label>
<input type="text" value={primaryKey} onChange={(e) => setPrimaryKey(e.target.value)} />
</div>
</div>
<div className="button-group">
<button type="submit" className="submit-button">Fetch Event Log</button>
</div>
</form>
<EventLog data={eventLogData} />
</div>
);
};
export default App;