[postgresql] Postgres 사용자가 있는지 확인하는 방법은 무엇입니까?

createuserPostgreSQL에서 사용자 (ROLE) 생성을 허용합니다. 해당 사용자 (이름)가 이미 존재하는지 확인하는 간단한 방법이 있습니까? 그렇지 않으면 createuser가 오류를 반환합니다.

createuser: creation of new role failed: ERROR:  role "USR_NAME" already exists

업데이트 :이 솔루션은 스크립트 내에서 자동화하기가 더 쉽도록 셸에서 실행 가능한 것이 좋습니다.



답변

SELECT 1 FROM pg_roles WHERE rolname='USR_NAME'

그리고 명령 줄 측면에서 (Erwin 덕분에) :

psql postgres -tAc "SELECT 1 FROM pg_roles WHERE rolname='USR_NAME'"

발견되면 1을 산출하고 다른 것은 없습니다.

그건:

psql postgres -tAc "SELECT 1 FROM pg_roles WHERE rolname='USR_NAME'" | grep -q 1 || createuser ...


답변

db가 있는지 확인 하는 것과 동일한 아이디어를 따릅니다.

psql -t -c '\du' | cut -d \| -f 1 | grep -qw <user_to_check>

다음과 같은 스크립트에서 사용할 수 있습니다.

if psql -t -c '\du' | cut -d \| -f 1 | grep -qw <user_to_check>; then
    # user exists
    # $? is 0
else
    # ruh-roh
    # $? is 1
fi


답변

이것이 파이썬 에서이 일을하는 사람들에게 도움이되기를 바랍니다 .
GitHubGist에서 완전한 작동 스크립트 / 솔루션을 만들었습니다.이 코드 스 니펫 아래의 URL을 참조하세요.

# ref: /programming/8546759/how-to-check-if-a-postgres-user-exists
check_user_cmd = ("SELECT 1 FROM pg_roles WHERE rolname='%s'" % (deis_app_user))

# our create role/user command and vars
create_user_cmd = ("CREATE ROLE %s WITH LOGIN CREATEDB PASSWORD '%s'" % (deis_app_user, deis_app_passwd))

# ref: /programming/37488175/simplify-database-psycopg2-usage-by-creating-a-module
class RdsCreds():
    def __init__(self):
        self.conn = psycopg2.connect("dbname=%s user=%s host=%s password=%s" % (admin_db_name, admin_db_user, db_host, admin_db_pass))
        self.conn.set_isolation_level(0)
        self.cur = self.conn.cursor()

    def query(self, query):
        self.cur.execute(query)
        return self.cur.rowcount > 0

    def close(self):
        self.cur.close()
        self.conn.close()

db = RdsCreds()
user_exists = db.query(check_user_cmd)

# PostgreSQL currently has no 'create role if not exists'
# So, we only want to create the role/user if not exists 
if (user_exists) is True:
    print("%s user_exists: %s" % (deis_app_user, user_exists))
    print("Idempotent: No credential modifications required. Exiting...")
    db.close()
else:
    print("%s user_exists: %s" % (deis_app_user, user_exists))
    print("Creating %s user now" % (deis_app_user))
    db.query(create_user_cmd)
    user_exists = db.query(check_user_cmd)
    db.close()
    print("%s user_exists: %s" % (deis_app_user, user_exists))

멱등 원격 (RDS) PostgreSQL이 CM 모듈없이 Python에서 역할 / 사용자를 생성합니다.


답변

psql -qtA -c "\du USR_NAME" | cut -d "|" -f 1

[[ -n $(psql -qtA -c "\du ${1}" | cut -d "|" -f 1) ]] && echo "exists" || echo "does not exist"


답변