-
Notifications
You must be signed in to change notification settings - Fork 17
/
utils.go
313 lines (255 loc) · 9.13 KB
/
utils.go
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
// Copyright © 2019 Ispirata Srl
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
package utils
import (
"github.com/astarte-platform/astarte-go/misc"
"github.com/astarte-platform/astartectl/config"
"github.com/spf13/cobra"
"crypto/ecdsa"
"crypto/elliptic"
"crypto/rand"
"crypto/x509"
"encoding/base64"
"encoding/pem"
"errors"
"fmt"
"os"
"strings"
)
// UtilsCmd represents the utils command
var UtilsCmd = &cobra.Command{
Use: "utils",
Short: "Various utilities to interact with Astarte",
Long: `utils includes commands to generate keypairs and device ids`,
}
var genKeypairCmd = &cobra.Command{
Use: "gen-keypair <realm_name>",
Short: "Generate an ECDSA keypair",
Long: `Generate an ECDSA keypair to use for realm authentication.
The keypair will be saved in the current directory with names <realm_name>_private.pem and <realm_name>_public.pem`,
Example: ` astartectl utils gen-keypair myrealm`,
Args: cobra.ExactArgs(1),
RunE: genKeypairF,
}
var jwtTypesToClaim = map[string]string{
"housekeeping": "a_ha",
"realm-management": "a_rma",
"pairing": "a_pa",
"appengine": "a_aea",
"channels": "a_ch",
}
var jwtTypes = []string{"housekeeping", "realm-management", "pairing", "appengine", "channels"}
var genJwtCmd = &cobra.Command{
Use: "gen-jwt <type> [type]...",
Short: "Generate a JWT token",
Long: `Generate a signed JWT to access Astarte APIs.
The token will be signed with the key provided through the -k parameter, and will be valid for the API
sets specified as arguments to gen-jwt. If a config context is set and it holds a valid private key to
either its Realm or Housekeeping and -k is not set, those keys will be used.
Supported API sets are:
appengine - Would generate a token valid for AppEngine API. Requires a Realm key for signing.
channels - Would generate a token valid for Astarte Channels. Requires a Realm key for signing.
flow - Would generate a token valid for Astarte Flow. Requires a Realm key for signing.
realm-management - Would generate a token valid for Realm Management API. Requires a Realm key for signing.
pairing - Would generate a token valid for Pairing API (and, potentially, Device registration). Requires a Realm key for signing.
housekeeping - Would generate a token valid for Housekeeping API. Requires the Housekeeping key for signing.
It is possible to specify more than one API set at a time. If API sets bear incompatible keys (e.g. appengine and housekeeping),
generation will fail. For example, to generate a token which supports both appengine and channels, you would do:
astartectl utils gen-jwt appengine channels -k test-realm.key
The "all-realm-apis" metatype is provided for convenience: this would generate a token for appengine, realm-management,
channels and pairing. When specified, it should not be combined with anything else.
Claims can also be specified on a per-API set basis when requesting multiple API sets. Prefix a claim with "<api set>:" to apply
the specified claim only to the requested API set. For example:
astartectl utils gen-jwt all-realm-apis -k test-realm.key -c appengine:GET::* -c pairing:POST::*
Would generate a token with only the desired claims for appengine and pairing.
`,
Example: ` astartectl utils gen-jwt realm-management -k test-realm.key`,
Args: cobra.MinimumNArgs(1),
ValidArgs: jwtTypes,
RunE: genJwtF,
}
func init() {
genJwtCmd.Flags().StringP("private-key", "k", "", `Path to PEM encoded private key.
Should be Housekeeping key to generate an housekeeping token, Realm key for everything else.`)
genJwtCmd.MarkFlagFilename("private-key")
genJwtCmd.Flags().StringSliceP("claims", "c", nil, `The list of claims to be added in the JWT. Defaults to all-access claims.
You can specify the flag multiple times or separate the claims with a comma.`)
genJwtCmd.Flags().Int64P("expiry", "e", 28800, "Expiration time of the token in seconds. Defaults to 8h. 0 means the token will never expire.")
UtilsCmd.AddCommand(genKeypairCmd)
UtilsCmd.AddCommand(genJwtCmd)
}
func genKeypairF(command *cobra.Command, args []string) error {
realm := args[0]
reader := rand.Reader
key, err := ecdsa.GenerateKey(elliptic.P256(), reader)
checkError(err)
publicKey := key.PublicKey
fmt.Println("Keypair generated successfully")
savePEMKey(realm+"_private.pem", key)
savePublicPEMKey(realm+"_public.pem", publicKey)
return nil
}
func validJwtType(t string) bool {
for _, validType := range jwtTypes {
if t == validType {
return true
}
}
return false
}
func genJwtF(command *cobra.Command, args []string) error {
servicesAndClaims := map[misc.AstarteService][]string{}
shouldUseHousekeepingKey := false
for _, t := range args {
// Metatype
if t == "all-realm-apis" {
if len(args) != 1 {
return errors.New("When specifying all-realm-apis, no other types can be specified")
}
// Add all types
servicesAndClaims = map[misc.AstarteService][]string{
misc.AppEngine: {},
misc.Channels: {},
misc.Flow: {},
misc.Pairing: {},
misc.RealmManagement: {},
}
break
}
astarteService, err := misc.AstarteServiceFromString(t)
if err != nil {
return fmt.Errorf("Invalid type. Valid types are: %s", strings.Join(jwtTypes, ", "))
}
if astarteService == misc.Housekeeping {
if len(args) != 1 {
return errors.New("Conflicting API types specified. Specify only API sets which require the same key type for signing")
}
shouldUseHousekeepingKey = true
}
servicesAndClaims[astarteService] = []string{}
}
// Compute claims
accessClaims, err := command.Flags().GetStringSlice("claims")
if err != nil {
return err
}
for _, claim := range accessClaims {
// Does it specify an API set-specific claim?
apiSetSpecific := false
for _, svc := range jwtTypes {
if strings.HasPrefix(claim, svc+":") {
apiSetSpecific = true
break
}
}
if apiSetSpecific {
tokens := strings.SplitN(claim, ":", 2)
astarteService, err := misc.AstarteServiceFromString(tokens[0])
if err != nil {
return fmt.Errorf("Invalid type specified in claim. Valid types are: %s", strings.Join(jwtTypes, ", "))
}
servicesAndClaims[astarteService] = append(servicesAndClaims[astarteService], tokens[1])
} else {
for k := range servicesAndClaims {
servicesAndClaims[k] = append(servicesAndClaims[k], claim)
}
}
}
expiryOffset, err := command.Flags().GetInt64("expiry")
if err != nil {
return err
}
var tokenString string
privateKey, err := command.Flags().GetString("private-key")
if err != nil {
return err
}
if privateKey == "" {
// In this case, retrieve the key from the context
c, err := config.LoadBaseConfiguration(config.GetConfigDir())
if err != nil {
return err
}
context, err := config.LoadContextConfiguration(config.GetConfigDir(), c.CurrentContext)
if err != nil {
return err
}
var loadedKey string
if !shouldUseHousekeepingKey {
if context.Realm.Key == "" {
return errors.New("private key not provided, and current context doesn't have a private realm key")
}
loadedKey = context.Realm.Key
} else {
cluster, err := config.LoadClusterConfiguration(config.GetConfigDir(), context.Cluster)
if err != nil {
return err
}
if cluster.Housekeeping.Key == "" {
return errors.New("private key not provided, and current context doesn't have a private housekeeping key")
}
loadedKey = cluster.Housekeeping.Key
}
decoded, err := base64.StdEncoding.DecodeString(loadedKey)
if err != nil {
fmt.Fprintln(os.Stderr, err)
os.Exit(1)
}
tokenString, err = misc.GenerateAstarteJWTFromPEMKey(decoded, servicesAndClaims, expiryOffset)
if err != nil {
return err
}
} else {
tokenString, err = misc.GenerateAstarteJWTFromKeyFile(privateKey, servicesAndClaims, expiryOffset)
if err != nil {
return err
}
}
fmt.Println(tokenString)
return nil
}
func savePEMKey(fileName string, key *ecdsa.PrivateKey) {
outFile, err := os.Create(fileName)
checkError(err)
defer outFile.Close()
marshaled, err := x509.MarshalECPrivateKey(key)
checkError(err)
var privateKey = &pem.Block{
Type: "EC PRIVATE KEY",
Bytes: marshaled,
}
err = pem.Encode(outFile, privateKey)
checkError(err)
fmt.Println("Wrote " + fileName)
}
func savePublicPEMKey(fileName string, pubkey ecdsa.PublicKey) {
pkixBytes, err := x509.MarshalPKIXPublicKey(&pubkey)
checkError(err)
var pemkey = &pem.Block{
Type: "PUBLIC KEY",
Bytes: pkixBytes,
}
pemfile, err := os.Create(fileName)
checkError(err)
defer pemfile.Close()
err = pem.Encode(pemfile, pemkey)
checkError(err)
fmt.Println("Wrote " + fileName)
}
func checkError(err error) {
if err != nil {
fmt.Fprintln(os.Stderr, err)
os.Exit(1)
}
}