aboutsummaryrefslogtreecommitdiffstats
path: root/openecomp-be/tools/migration/1607_to_1610.py
blob: e817e3b1e6136f0b5c8c0f3b96dac580c9792074 (plain)
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
#!/usr/bin/python
import os
import sys, json, datetime, time, types, httplib, re
import mimetypes

DEFAULT_HOST = "127.0.0.1"
OPENECOMP_BE = "127.0.0.1"

HOST = DEFAULT_HOST
DEFAULT_PORT = "8080"
DEFAULT_USERNAME = "cs0008"
DEFAULT_PASSWORD = "cs0008"

ONBOARD_BASE_PATH = "/onboarding-api/v1.0"
VSP_LIST_PATH = "{0}/vendor-software-products".format(ONBOARD_BASE_PATH)
VSP_ACTIONS_PATH = "{0}/vendor-software-products/{{vspId}}/actions".format(ONBOARD_BASE_PATH)
VSP_UPLOAD_PATH = "{0}/vendor-software-products/{{vspId}}/upload".format(ONBOARD_BASE_PATH)
VSP_DOWNLOAD_PATH = "{0}/vendor-software-products/{{vspId}}/downloadHeat".format(ONBOARD_BASE_PATH)
VSP_GET_URL = "{0}/vendor-software-products/{{vspId}}".format(ONBOARD_BASE_PATH)


def main(argv):
    username = DEFAULT_USERNAME
    password = DEFAULT_PASSWORD
    host = DEFAULT_HOST

    if not argv:
        print("Going to use default values")
    else:
        if argv[0].lower() == 'h' or argv[0].lower() == '-h':
            printHelp()
            return

        if argv[0] == '-ip':
            host = argv[1]
        else:
            if argv[0].lower() == '-a' and '/' not in argv[1]:
                print('\n>>> Error: Credentials required (username/password)\n')
                printHelp()
                return

            else:
                creds = argv[1].split('/')
                username = creds[0]
                password = creds[1]  # not used

            try:
                cmdIp = argv[2]
                host = argv[3]
            except IndexError:
                host = DEFAULT_HOST
        print("Going to use user defined values")
    Service.server(host)

    webHandler = WebHandler(host=host, port=DEFAULT_PORT)
    response, headers = webHandler.rest(url=VSP_LIST_PATH, method='GET', data=None, userId=username)
    jResult = json.loads(response)
    jSrvices = jResult["results"]
    reportFileName = 'upgradereport.csv'  # datetime.now()
    reportFile = open(reportFileName, 'w')
    reportFile.write(Service.header())

    for jService in jSrvices:
        serviceName = jService["name"]
        vendorName = jService["vendorName"]
        vspId = jService["id"]
        status = jService["status"]
        if status != "Locked":
            lockingUser = "None"
        else:
            lockingUser = jService["lockingUser"]

        service = Service(serviceName=serviceName, vspId=vspId, vendorName=vendorName, lockingUser=lockingUser)
        print(service)
        # Will try to GET the service
        res = service.Get()
        if res == 500:
            serviceMigration(service, status, username)
        else:
            print("Service {0} was tested and does not need a migration".format(serviceName))

        reportFile.write(service.line())
    reportFile.close()


def serviceMigration(service, serviceStatus, username):
    print("Service {0} was tested and it needs a migration".format(service.serviceName))
    print("Service {0} - Migration start")
    if serviceStatus == "Locked":
        print("Service {0} is locked - forcing checkin".format(service.serviceName))
        service.Checkin()
    print("Doing new checkout")
    service.Checkout(username)

    zipName = service.DownloadHeat()
    if not zipName:
        print("no heat found")
        service.uploadStatus = "no heat found"
    else:
        uploadResponse = service.UploadHeat(zipName)
        uploadResults = json.loads(uploadResponse)
        if uploadResults['status'] == 'Success' and uploadResults['errors'].__len__() == 0:
            service.uploadStatus = "Heat uploaded successfully"
        else:
            service.uploadStatus = "Heat uploaded with errors"
    print("Doing new checkin")
    service.Checkin()

    print("Service {0} - Migration end")


def printHelp():
    print("Upgrade script Help:")
    print("==================================")
    print("1607_to_1610 -h                            --> get help")
    print("1607_to_1610 -a <username>/<password> [-ip {ip}]")
    print("Example: 1607_to_1610 -a root/secret")


class Service(object):
    def __init__(self, serviceName, vspId, vendorName, lockingUser):
        self.serviceName = serviceName
        self.vspId = vspId
        self.vendorName = vendorName
        self.lockingUser = lockingUser
        self.webHandler = WebHandler(host=Service.serveraddress, port=DEFAULT_PORT)  # Schema?
        self.uploadStatus = "not started"

    def __repr__(self):
        return 'Name: {0}, Id: {1}, Vendor: {2}, locked by: {3}, status {4}'.format(self.serviceName, self.vspId,
                                                                                    self.vendorName, self.lockingUser,
                                                                                    self.uploadStatus)

    @classmethod
    def header(cls):
        return 'Name,Id,Vendor,locked-by,status\n'

    @classmethod
    def server(cls, address):
        cls.serveraddress = address

    def line(self):
        return '{0},{1},{2},{3},{4}\n'.format(self.serviceName, self.vspId, self.vendorName, self.lockingUser,
                                              self.uploadStatus)

    def Checkout(self, userId):
        # /v1.0/vendor-software-products/{vspId}/actions
        urlpath = VSP_ACTIONS_PATH.format(vspId=self.vspId)
        response, headers = self.webHandler.rest(url=urlpath, method='PUT', data={"action": "Checkout"}, userId=userId)
        self.lockingUser = userId  # we will later use this user to checkin
        return response

    def Checkin(self):
        # /v1.0/vendor-software-products/{vspId}/actions
        urlpath = VSP_ACTIONS_PATH.format(vspId=self.vspId)
        response, headers = self.webHandler.rest(url=urlpath, method='PUT', data={"action": "Checkin"},
                                                 userId=self.lockingUser)
        return response

    def Get(self):
        # /v1.0/vendor-software-products/{vspId}
        urlpath = VSP_GET_URL.format(vspId=self.vspId)
        try:
            response, headers = self.webHandler.rest(url=urlpath, method='GET', data=None, userId=self.lockingUser)
        except HttpError as e:
            print(e.message)
            response = e.status
        return response

    def UploadHeat(self, zipName):
        # /v1.0/vendor-software-products/{vspId}/upload
        urlpath = VSP_UPLOAD_PATH.format(vspId=self.vspId)
        try:
            fields = []
            with open(zipName, 'rb') as fin:
                buffer = fin.read()
                fin.close()
            files = [('upload', 'heatfile.zip', buffer)]
            response = self.webHandler.post_multipart('HTTP', urlpath, fields, files, self.lockingUser)

            return response
        finally:
            print("done upload")

    def DownloadHeat(self):
        urlpath = VSP_DOWNLOAD_PATH.format(vspId=self.vspId)
        try:
            response, headers = self.webHandler.rest(url=urlpath, method='Get', data=None, userId=self.lockingUser,
                                                     accept='application/octet-stream')
        except HttpError as e:
            if e.status == 404:
                return ""

        for (key, value) in headers:
            if key.lower() == "content-disposition":
                file_name = value[value.index('=') + 1:]
                break
        heatsDir = os.path.join(os.path.dirname(__file__), 'heats')
        if not os.path.exists(heatsDir):
            os.makedirs(heatsDir)
        file_name = os.path.join(heatsDir, file_name)
        with open(file_name, "wb") as fout:
            fout.write(response)
            fout.close()

        return file_name


class WebHandler(object):
    def __init__(self, host, port):
        self.host = host
        self.port = port

    def rest(self, url, method, data, userId, accept='application/json', content_type='application/json'):
        connection = httplib.HTTPConnection(host=self.host, port=self.port)

        try:
            headers = {'Content-Type': content_type, 'Accept': accept}
            headers['USER_ID'] = userId

            connection.request(method=method, headers=headers, body=json.dumps(data), url=url)
            response = connection.getresponse()
            if response.status not in range(200, 300):
                raise HttpError(status=response.status, message=response.reason)

            return response.read(), response.getheaders()
        finally:
            connection.close()

    def post_multipart(self, scheme, selector, fields, files, userId):
        """
        Post fields and files to an http host as multipart/form-data.
        fields is a sequence of (name, value) elements for regular form fields.
        files is a sequence of (name, filename, value) elements for data to be uploaded as files
        Return the server's response page.
        """
        content_type, body = self.encode_multipart_form_data(fields, files)
        if scheme and scheme.lower() == "http":
            h = httplib.HTTP(self.host, self.port)
        else:
            h = httplib.HTTPS(self.host, self.port)
        h.putrequest('POST', selector)
        h.putheader('content-type', content_type)
        h.putheader('content-length', str(len(body)))
        h.putheader('Accept', 'application/json')
        h.putheader('USER_ID', userId)

        h.endheaders()
        h.send(body)
        errcode, errmsg, headers = h.getreply()
        print(errcode, errmsg, headers)
        return h.file.read()

    def encode_multipart_form_data(self, fields, files):
        LIMIT = '----------lImIt_of_THE_fIle_eW_$'
        CRLF = '\r\n'
        L = []
        for (key, value) in fields:
            L.append('--' + LIMIT)
            L.append('Content-Disposition: form-data; name="%s"' % key)
            L.append('')
            L.append(value)
        for (key, filename, value) in files:
            L.append('--' + LIMIT)
            L.append('Content-Disposition: form-data; name="%s"; filename="%s"' % (key, filename))
            L.append('Content-Type: %s' % self.get_content_type(filename))
            L.append('')
            L.append(value)
        L.append('--' + LIMIT + '--')
        L.append('')
        body = CRLF.join(L)
        content_type = 'multipart/form-data; boundary=%s' % LIMIT
        return content_type, body

    def get_content_type(self, filename):
        return mimetypes.guess_type(filename)[0] or 'application/octet-stream'


class HttpError(Exception):
    def __init__(self, status, message):
        self.status = status
        self.message = message

    def __str__(self):
        return repr(self.value, self.message)


if __name__ == "__main__":
    main(sys.argv[1:])