mirror of https://github.com/pulumi/pulumi.git
81 lines
2.6 KiB
Python
81 lines
2.6 KiB
Python
# Copyright 2016-2021, Pulumi Corporation.
|
|
#
|
|
# 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.
|
|
|
|
import os
|
|
import subprocess
|
|
import tempfile
|
|
from typing import List, Mapping, Optional, Callable, Any
|
|
|
|
from .errors import create_command_error
|
|
|
|
OnOutput = Callable[[str], Any]
|
|
|
|
|
|
class CommandResult:
|
|
def __init__(self, stdout: str, stderr: str, code: int) -> None:
|
|
self.stdout = stdout
|
|
self.stderr = stderr
|
|
self.code = code
|
|
|
|
def __repr__(self):
|
|
return f"CommandResult(stdout={self.stdout!r}, stderr={self.stderr!r}, code={self.code!r})"
|
|
|
|
def __str__(self) -> str:
|
|
return f"\n code: {self.code}\n stdout: {self.stdout}\n stderr: {self.stderr}"
|
|
|
|
|
|
def _run_pulumi_cmd(
|
|
args: List[str],
|
|
cwd: str,
|
|
additional_env: Mapping[str, str],
|
|
on_output: Optional[OnOutput] = None,
|
|
) -> CommandResult:
|
|
# All commands should be run in non-interactive mode.
|
|
# This causes commands to fail rather than prompting for input (and thus hanging indefinitely).
|
|
if "--non-interactive" not in args:
|
|
args.append("--non-interactive")
|
|
env = {**os.environ, **additional_env}
|
|
cmd = ["pulumi"]
|
|
cmd.extend(args)
|
|
|
|
stdout_chunks: List[str] = []
|
|
|
|
with tempfile.TemporaryFile() as stderr_file:
|
|
with subprocess.Popen(
|
|
cmd, stdout=subprocess.PIPE, stderr=stderr_file, cwd=cwd, env=env
|
|
) as process:
|
|
assert process.stdout is not None
|
|
while True:
|
|
output = process.stdout.readline().decode(encoding="utf-8")
|
|
if output == "" and process.poll() is not None:
|
|
break
|
|
if output:
|
|
text = output.rstrip()
|
|
if on_output:
|
|
on_output(text)
|
|
stdout_chunks.append(text)
|
|
|
|
code = process.returncode
|
|
|
|
stderr_file.seek(0)
|
|
stderr_contents = stderr_file.read().decode("utf-8")
|
|
|
|
result = CommandResult(
|
|
stderr=stderr_contents, stdout="\n".join(stdout_chunks), code=code
|
|
)
|
|
if code != 0:
|
|
raise create_command_error(result)
|
|
|
|
return result
|