本文整理汇总了Python中storyboard.db.api.users.user_get函数的典型用法代码示例。如果您正苦于以下问题:Python user_get函数的具体用法?Python user_get怎么用?Python user_get使用的例子?那么恭喜您, 这里精选的函数代码示例或许可以为您提供帮助。
在下文中一共展示了user_get函数的20个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于我们的系统推荐出更棒的Python代码示例。
示例1: get_all
def get_all(title=None, creator_id=None, user_id=None, project_id=None,
task_id=None, story_id=None, sort_field=None, sort_dir=None,
**kwargs):
if user_id is not None:
user = users_api.user_get(user_id)
boards = []
for board in get_all():
if any(permission in board.permissions
for permission in user.permissions):
boards.append(board)
return boards
boards = api_base.entity_get_all(models.Board,
title=title,
creator_id=creator_id,
project_id=project_id,
sort_field=sort_field,
sort_dir=sort_dir,
**kwargs)
if task_id:
matching = []
for board in boards:
if has_card(board, 'task', task_id):
matching.append(board)
boards = matching
if story_id:
matching = []
for board in boards:
if has_card(board, 'story', story_id):
matching.append(board)
boards = matching
return boards
开发者ID:ColdrickSotK,项目名称:storyboard,代码行数:34,代码来源:boards.py
示例2: get
def get(self, marker=None, limit=None, full_name=None,
sort_field='id', sort_dir='asc'):
"""Page and filter the users in storyboard.
:param marker: The resource id where the page should begin.
:param limit: The number of users to retrieve.
:param username: A string of characters to filter the username with.
:param full_name: A string of characters to filter the full_name with.
:param sort_field: The name of the field to sort on.
:param sort_dir: Sort direction for results (asc, desc).
"""
# Boundary check on limit.
if limit is not None:
limit = max(0, limit)
# Resolve the marker record.
marker_user = users_api.user_get(marker)
users = users_api.user_get_all(marker=marker_user, limit=limit,
full_name=full_name,
filter_non_public=True,
sort_field=sort_field,
sort_dir=sort_dir)
user_count = users_api.user_get_count(full_name=full_name)
# Apply the query response headers.
if limit:
response.headers['X-Limit'] = str(limit)
response.headers['X-Total'] = str(user_count)
if marker_user:
response.headers['X-Marker'] = str(marker_user.id)
return [wmodels.User.from_db_model(u) for u in users]
开发者ID:devcurmudgeon,项目名称:storyboard,代码行数:34,代码来源:users.py
示例3: put
def put(self, user_id, user):
"""Modify this user.
:param user_id: Unique id to identify the user.
:param user: A user within the request body.
"""
current_user = users_api.user_get(request.current_user_id)
# Only owners and superadmins are allowed to modify users.
if request.current_user_id != user_id \
and not current_user.is_superuser:
abort(403, _("You are not allowed to update this user."))
# Strip out values that you're not allowed to change.
user_dict = user.as_dict(omit_unset=True)
if not current_user.is_superuser:
# Only superuser may create superusers or modify login permissions.
if 'enable_login' in six.iterkeys(user_dict):
del user_dict['enable_login']
if 'is_superuser' in six.iterkeys(user_dict):
del user_dict['is_superuser']
updated_user = users_api.user_update(user_id, user_dict)
return wmodels.User.from_db_model(updated_user)
开发者ID:devcurmudgeon,项目名称:storyboard,代码行数:26,代码来源:users.py
示例4: post
def post(self, story):
"""Create a new story.
Example::
curl 'https://my.example.org/api/v1/stories' \\
-H 'Authorization: Bearer MY_ACCESS_TOKEN' \\
-H 'Content-Type: application/json;charset=UTF-8' \\
--data-binary '{"title":"Test Story","description":"A test story."}'
:param story: A story within the request body.
"""
# Reject private story types while ACL is not created.
if (story.story_type_id and
(story.story_type_id == 3 or story.story_type_id == 4)):
abort(400, _("Now you can't add story with type %s.") %
story.story_type_id)
story_dict = story.as_dict()
user_id = request.current_user_id
if story.creator_id and story.creator_id != user_id:
abort(400, _("You can't select author of story."))
story_dict.update({"creator_id": user_id})
if not stories_api.story_can_create_story(story.story_type_id):
abort(400, _("Can't create story of this type."))
if "tags" not in story_dict or not story_dict["tags"]:
story_dict["tags"] = []
# We can't set due dates when creating stories at the moment.
if "due_dates" in story_dict:
del story_dict['due_dates']
users = None
teams = None
# We make sure that a user cannot remove all users and teams
# from the permissions list for a story
# This should be reworked so that users can be removed if there
# are teams, and vice versa
if "teams" in story_dict:
teams = story_dict.pop("teams")
if teams is None:
teams = []
if "users" in story_dict:
users = story_dict.pop("users")
if users is None or (users == [] and teams == []):
users = [wmodels.User.from_db_model(users_api.user_get(user_id))]
created_story = stories_api.story_create(story_dict)
events_api.story_created_event(created_story.id, user_id, story.title)
if story.private:
stories_api.create_permission(created_story, users, teams)
return wmodels.Story.from_db_model(created_story)
开发者ID:openstack-infra,项目名称:storyboard,代码行数:59,代码来源:stories.py
示例5: create_permission
def create_permission(worklist_id, permission_dict, session=None):
worklist = _worklist_get(worklist_id, session=session)
users = permission_dict.pop('users')
permission = api_base.entity_create(
models.Permission, permission_dict, session=session)
worklist.permissions.append(permission)
for user_id in users:
user = users_api.user_get(user_id, session=session)
user.permissions.append(permission)
return permission
开发者ID:palvarez89,项目名称:storyboard,代码行数:10,代码来源:worklists.py
示例6: create_permission
def create_permission(due_date_id, permission_dict, session=None):
due_date = _due_date_get(due_date_id, session=session)
users = permission_dict.pop('users')
permission = api_base.entity_create(
models.Permission, permission_dict, session=session)
due_date.permissions.append(permission)
for user_id in users:
user = users_api.user_get(user_id, session=session)
user.permissions.append(permission)
return permission
开发者ID:ColdrickSotK,项目名称:storyboard,代码行数:10,代码来源:due_dates.py
示例7: create_permission
def create_permission(board_id, permission_dict, session=None):
board = _board_get(board_id, session=session)
users = permission_dict.pop('users')
permission = api_base.entity_create(
models.Permission, permission_dict, session=session)
board.permissions.append(permission)
for user_id in users:
user = users_api.user_get(user_id, session=session)
user.permissions.append(permission)
return permission
开发者ID:palvarez89,项目名称:storyboard,代码行数:10,代码来源:boards.py
示例8: put
def put(self, team_id, user_id):
"""Add a user to a team.
:param team_id: An ID of the team.
:param user_id: An ID of the user.
"""
teams_api.team_add_user(team_id, user_id)
user = users_api.user_get(user_id)
return wmodels.User.from_db_model(user)
开发者ID:vladiskuz,项目名称:storyboard,代码行数:11,代码来源:teams.py
示例9: task_assignee_changed
def task_assignee_changed(event):
event_info = json.loads(event.event_info)
old_assignee_id = event_info["old_assignee_id"]
old_assignee = users_api.user_get(old_assignee_id)
if old_assignee:
old_fullname = old_assignee.full_name
else:
old_fullname = "unassigned"
event_info["old_assignee_fullname"] = old_fullname
new_assignee_id = event_info["new_assignee_id"]
new_assignee = users_api.user_get(new_assignee_id)
if new_assignee:
new_fullname = new_assignee.full_name
else:
new_fullname = "unassigned"
event_info["new_assignee_fullname"] = new_fullname
event.event_info = json.dumps(event_info)
return event
开发者ID:openstack-infra,项目名称:storyboard,代码行数:21,代码来源:event_resolvers.py
示例10: get
def get(self, marker=None, limit=None, target_type=None, target_id=None,
user_id=None, sort_field='id', sort_dir='asc'):
"""Retrieve a list of subscriptions for the authorized user.
Example::
curl https://my.example.org/api/v1/subscriptions \\
-H 'Authorization: Bearer MY_ACCESS_TOKEN'
:param marker: The resource id where the page should begin.
:param limit: The number of subscriptions to retrieve.
:param target_type: The type of resource to search by.
:param target_id: The unique ID of the resource to search by.
:param user_id: The unique ID of the user to search by.
:param sort_field: The name of the field to sort on.
:param sort_dir: Sort direction for results (asc, desc).
"""
# Boundary check on limit.
if limit is not None:
limit = max(0, limit)
# Sanity check on user_id
current_user = user_api.user_get(request.current_user_id)
if user_id != request.current_user_id \
and not current_user.is_superuser:
user_id = request.current_user_id
# Resolve the marker record.
marker_sub = subscription_api.subscription_get(marker)
subscriptions = subscription_api.subscription_get_all(
marker=marker_sub,
limit=limit,
target_type=target_type,
target_id=target_id,
user_id=user_id,
sort_field=sort_field,
sort_dir=sort_dir)
subscription_count = subscription_api.subscription_get_count(
target_type=target_type,
target_id=target_id,
user_id=user_id)
# Apply the query response headers.
if limit:
response.headers['X-Limit'] = str(limit)
response.headers['X-Total'] = str(subscription_count)
if marker_sub:
response.headers['X-Marker'] = str(marker_sub.id)
return [Subscription.from_db_model(s) for s in subscriptions]
开发者ID:openstack-infra,项目名称:storyboard,代码行数:52,代码来源:subscriptions.py
示例11: get
def get(self, marker=None, offset=None, limit=None, full_name=None,
email=None, openid=None, sort_field='id', sort_dir='asc'):
"""Page and filter the users in storyboard.
Example::
curl https://my.example.org/api/v1/users
:param marker: The resource id where the page should begin.
:param offset: The offset to start the page at.
:param limit: The number of users to retrieve.
:param full_name: A string of characters to filter the full_name with.
:param email: A string of characters to filter the email with.
:param openid: A string of characters to filter the openid with.
:param sort_field: The name of the field to sort on.
:param sort_dir: Sort direction for results (asc, desc).
"""
# Boundary check on limit.
if limit is not None:
limit = max(0, limit)
# Resolve the marker record.
marker_user = None
if marker is not None:
marker_user = users_api.user_get(marker)
users = users_api.user_get_all(marker=marker_user,
offset=offset,
limit=limit,
full_name=full_name,
email=email,
openid=openid,
filter_non_public=True,
sort_field=sort_field,
sort_dir=sort_dir)
user_count = users_api.user_get_count(full_name=full_name,
email=email,
openid=openid)
# Apply the query response headers.
if limit:
response.headers['X-Limit'] = str(limit)
response.headers['X-Total'] = str(user_count)
if marker_user:
response.headers['X-Marker'] = str(marker_user.id)
if offset is not None:
response.headers['X-Offset'] = str(offset)
return [wmodels.User.from_db_model(u) for u in users]
开发者ID:openstack-infra,项目名称:storyboard,代码行数:50,代码来源:users.py
示例12: get
def get(self, marker=None, offset=None, limit=None, event_type=None,
subscriber_id=None, sort_field='id', sort_dir='asc'):
"""Retrieve a list of subscriptions.
:param marker: The resource id where the page should begin.
:param offset: The offset to begin the page at.
:param limit: The number of subscriptions to retrieve.
:param event_type: The type of resource to search by.
:param subscriber_id: The unique ID of the subscriber to search by.
:param sort_field: The name of the field to sort on.
:param sort_dir: Sort direction for results (asc, desc).
"""
# Boundary check on limit.
if limit is not None:
limit = max(0, limit)
# Resolve the marker record.
marker_sub = subscription_events_api.subscription_events_get(marker)
current_user = user_api.user_get(request.current_user_id)
if current_user.id != subscriber_id and \
not current_user.is_superuser:
abort(403, _("Permission Denied"))
if marker_sub and marker_sub.user_id != subscriber_id:
marker_sub = None
subscriptions = subscription_events_api.subscription_events_get_all(
marker=marker_sub,
offset=offset,
limit=limit,
subscriber_id=subscriber_id,
event_type=event_type,
sort_field=sort_field,
sort_dir=sort_dir)
subscription_count = \
subscription_events_api.subscription_events_get_count(
subscriber_id=subscriber_id,
event_type=event_type)
# Apply the query response headers.
if limit:
response.headers['X-Limit'] = str(limit)
if offset is not None:
response.headers['X-Offset'] = str(offset)
response.headers['X-Total'] = str(subscription_count)
if marker_sub:
response.headers['X-Marker'] = str(marker_sub.id)
return [SubscriptionEvent.from_db_model(s) for s in subscriptions]
开发者ID:ColdrickSotK,项目名称:storyboard,代码行数:50,代码来源:subscription_events.py
示例13: get_one
def get_one(self, subscription_id):
"""Retrieve a specific subscription record.
:param subscription_id: The unique id of this subscription.
"""
subscription = subscription_api.subscription_get(subscription_id)
current_user = user_api.user_get(request.current_user_id)
if subscription.user_id != request.current_user_id \
and not current_user.is_superuser:
abort(403, _("You do not have access to this record."))
return Subscription.from_db_model(subscription)
开发者ID:ColdrickSotK,项目名称:storyboard,代码行数:14,代码来源:subscriptions.py
示例14: delete
def delete(self, subscription_id):
"""Delete a specific subscription.
:param subscription_id: The unique id of the subscription to delete.
"""
subscription = subscription_api.subscription_get(subscription_id)
# Sanity check on user_id
current_user = user_api.user_get(request.current_user_id)
if subscription.user_id != request.current_user_id \
and not current_user.is_superuser:
abort(403, _("You can only remove your own subscriptions."))
subscription_api.subscription_delete(subscription_id)
开发者ID:ColdrickSotK,项目名称:storyboard,代码行数:14,代码来源:subscriptions.py
示例15: get_one
def get_one(self, user_id):
"""Retrieve details about one user.
:param user_id: The unique id of this user
"""
filter_non_public = True
if user_id == request.current_user_id:
filter_non_public = False
user = users_api.user_get(user_id, filter_non_public)
if not user:
raise exc.NotFound(_("User %s not found") % user_id)
return user
开发者ID:devcurmudgeon,项目名称:storyboard,代码行数:14,代码来源:users.py
示例16: get_one
def get_one(self, subscription_event_id):
"""Retrieve a specific subscription record.
:param subscription_event_id: The unique id of this subscription.
"""
subscription_event = subscription_events_api \
.subscription_events_get(subscription_event_id)
current_user = user_api.user_get(request.current_user_id)
if current_user.id != subscription_event.subscriber_id and \
not current_user.is_superuser:
abort(403, _("Permission Denied"))
return SubscriptionEvent.from_db_model(subscription_event)
开发者ID:ColdrickSotK,项目名称:storyboard,代码行数:14,代码来源:subscription_events.py
示例17: create_permission
def create_permission(story, users, session=None):
story = api_base.model_query(models.Story, session) \
.options(subqueryload(models.Story.tags)) \
.filter_by(id=story.id).first()
permission_dict = {
'name': 'view_story_%d' % story.id,
'codename': 'view_story'
}
permission = api_base.entity_create(models.Permission, permission_dict)
story.permissions.append(permission)
for user in users:
user = users_api.user_get(user.id)
user.permissions.append(permission)
return permission
开发者ID:palvarez89,项目名称:storyboard,代码行数:14,代码来源:stories.py
示例18: update_permission
def update_permission(due_date_id, permission_dict):
due_date = _due_date_get(due_date_id)
id = None
for permission in due_date.permissions:
if permission.codename == permission_dict['codename']:
id = permission.id
users = permission_dict.pop('users')
permission_dict['users'] = []
for user_id in users:
user = users_api.user_get(user_id)
permission_dict['users'].append(user)
if id is None:
raise ClientSideError(_("Permission %s does not exist")
% permission_dict['codename'])
return api_base.entity_update(models.Permission, id, permission_dict)
开发者ID:ColdrickSotK,项目名称:storyboard,代码行数:16,代码来源:due_dates.py
示例19: delete
def delete(self, subscription_event_id):
"""Delete a specific subscription.
:param subscription_event_id: The unique id of the
subscription_event to delete.
"""
subscription_event = subscription_events_api \
.subscription_events_get(subscription_event_id)
current_user = user_api.user_get(request.current_user_id)
if current_user.id != subscription_event.subscriber_id and \
not current_user.is_superuser:
abort(403, _("Permission Denied"))
subscription_events_api.subscription_events_delete(
subscription_event_id)
开发者ID:ColdrickSotK,项目名称:storyboard,代码行数:16,代码来源:subscription_events.py
示例20: put
def put(self, team_id, user_id):
"""Add a user to a team.
Example::
TODO
:param team_id: An ID of the team.
:param user_id: An ID of the user.
"""
teams_api.team_add_user(team_id, user_id)
user = users_api.user_get(user_id)
user = api_base._filter_non_public_fields(user, user._public_fields)
return wmodels.User.from_db_model(user)
开发者ID:openstack-infra,项目名称:storyboard,代码行数:16,代码来源:teams.py
注:本文中的storyboard.db.api.users.user_get函数示例由纯净天空整理自Github/MSDocs等源码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。 |
请发表评论