Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Setting global config file based on settings #1649

Merged
merged 5 commits into from
Sep 25, 2024
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
1 change: 1 addition & 0 deletions CHANGELOG.md
Original file line number Diff line number Diff line change
Expand Up @@ -5,6 +5,7 @@
### Improvements

- Better handle images without enough tile layers ([#1648](../../pull/1648))
- Add users option to config files; have a default config file ([#1649](../../pull/1649))

## 1.29.11

Expand Down
4 changes: 4 additions & 0 deletions docs/girder_config_options.rst
Original file line number Diff line number Diff line change
Expand Up @@ -38,6 +38,10 @@ The yaml file has the following structure:
<key>: <value>
# groups can specify access based on user or admin, too.
access: ...
# The users key specifies that a specific user has distinct settings
users:
<user login>:
<key>: <value>
# If __inherit__ is true, then merge this config file with the next config
# file in the parent folder hierarchy.
__inherit__: true
Expand Down
76 changes: 70 additions & 6 deletions girder/girder_large_image/__init__.py
Original file line number Diff line number Diff line change
Expand Up @@ -483,15 +483,65 @@
{'_id': {'$in': user['groups']}}, sort=[('name', SortDir.ASCENDING)]):
if isinstance(groups.get(group['name']), dict):
config = _mergeDictionaries(config, groups[group['name']])
# Do this after merging groups, because the group access-level values can
# override the base access-level options. For instance, if the base has
# an admin option, and the group has a user option, then doing this before
# group application can end up with user options for an admin.
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

@jeffbaumes Note the rationale here -- now documented.

if isinstance(config.get('access'), dict):
accessList = config.pop('access')
if user and isinstance(accessList.get('user'), dict):
config = _mergeDictionaries(config, accessList['user'])
if user and user.get('admin') and isinstance(accessList.get('admin'), dict):
config = _mergeDictionaries(config, accessList['admin'])
if isinstance(config.get('users'), dict):
users = config.pop('users')

Check warning on line 497 in girder/girder_large_image/__init__.py

View check run for this annotation

Codecov / codecov/patch

girder/girder_large_image/__init__.py#L497

Added line #L497 was not covered by tests
if user and user['login'] in users:
config = _mergeDictionaries(config, users[user['login']])

Check warning on line 499 in girder/girder_large_image/__init__.py

View check run for this annotation

Codecov / codecov/patch

girder/girder_large_image/__init__.py#L499

Added line #L499 was not covered by tests
return config


def addSettingsToConfig(config, user):
"""
Add the settings for showing thumbnails and images in item lists to a
config file if the itemList or itemListDialog options are not set.

:param config: the config dictionary to modify.
:param user: the current user.
"""
columns = []

showThumbnails = Setting().get(constants.PluginSettings.LARGE_IMAGE_SHOW_THUMBNAILS)
if showThumbnails:
columns.append({'type': 'image', 'value': 'thumbnail', 'title': 'Thumbnail'})

extraSetting = constants.PluginSettings.LARGE_IMAGE_SHOW_EXTRA_PUBLIC
if user is not None:
if user['admin']:
extraSetting = constants.PluginSettings.LARGE_IMAGE_SHOW_EXTRA_ADMIN
else:
extraSetting = constants.PluginSettings.LARGE_IMAGE_SHOW_EXTRA

showExtra = None
try:
showExtra = json.loads(Setting().get(extraSetting))
except Exception:
pass
if (isinstance(showExtra, dict) and 'images' in showExtra and
isinstance(showExtra['images'], list)):
for value in showExtra['images']:
if value != '*':
columns.append({'type': 'image', 'value': value, 'title': value.title()})

columns.append({'type': 'record', 'value': 'name', 'title': 'Name'})
columns.append({'type': 'record', 'value': 'controls', 'title': 'Contols'})
columns.append({'type': 'record', 'value': 'size', 'title': 'Size'})

if 'itemList' not in config:
config['itemList'] = {'columns': columns}
if 'itemListDialog' not in config:
config['itemListDialog'] = {'columns': columns}


def yamlConfigFile(folder, name, user):
"""
Get a resolved named config file based on a folder and user.
Expand All @@ -515,12 +565,15 @@
if isinstance(config, list) and len(config) == 1:
config = config[0]
# combine and adjust config values based on current user
if isinstance(config, dict) and 'access' in config or 'group' in config:
if isinstance(config, dict) and (
'access' in config or 'groups' in config or 'users' in config):
config = adjustConfigForUser(config, user)
if addConfig and isinstance(config, dict):
config = _mergeDictionaries(config, addConfig)
if not isinstance(config, dict) or config.get('__inherit__') is not True:
return config
addConfig = config
last = True
break
config.pop('__inherit__')
addConfig = config
if last:
Expand All @@ -541,10 +594,13 @@
last = True
else:
folder = Folder().load(folder['parentId'], user=user, level=AccessType.READ)

addConfig = {} if addConfig is None else addConfig
addSettingsToConfig(addConfig, user)
return addConfig


def yamlConfigFileWrite(folder, name, user, yaml_config):
def yamlConfigFileWrite(folder, name, user, yaml_config, user_context):
"""
If the user has appropriate permissions, create or modify an item in the
specified folder with the specified name, storing the config value as a
Expand All @@ -554,24 +610,32 @@
:param name: the name of the config file.
:param user: the user that the response if adjusted for.
:param yaml_config: a yaml config string.
:param user_context: whether these settings should only apply to the current user.
"""
# Check that we have valid yaml
yaml.safe_load(yaml_config)
yaml_parsed = yaml.safe_load(yaml_config)
item = Item().createItem(name, user, folder, reuseExisting=True)
existingFiles = list(Item().childFiles(item))
if (len(existingFiles) == 1 and
existingFiles[0]['mimeType'] == 'application/yaml' and
existingFiles[0]['name'] == name):
if user_context:
file = yaml.safe_load(File().open(existingFiles[0]).read())
file.setdefault('users', {})
file['users'].setdefault(user['login'], {})
file['users'][user['login']].update(yaml_parsed)
yaml_config = yaml.safe_dump(file)

Check warning on line 626 in girder/girder_large_image/__init__.py

View check run for this annotation

Codecov / codecov/patch

girder/girder_large_image/__init__.py#L622-L626

Added lines #L622 - L626 were not covered by tests
upload = Upload().createUploadToFile(
existingFiles[0], user, size=len(yaml_config))
else:
if user_context:
yaml_config = yaml.safe_dump({'users': {user['login']: yaml_parsed}})

Check warning on line 631 in girder/girder_large_image/__init__.py

View check run for this annotation

Codecov / codecov/patch

girder/girder_large_image/__init__.py#L631

Added line #L631 was not covered by tests
upload = Upload().createUpload(
user, name, 'item', item, size=len(yaml_config),
mimeType='application/yaml', save=True)
newfile = Upload().handleChunk(upload, yaml_config)
with _configWriteLock:
for entry in list(Item().childFiles(item)):
if entry['_id'] != newfile['_id'] and len(Item().childFiles(item)) > 1:
if entry['_id'] != newfile['_id'] and len(list(Item().childFiles(item))) > 1:
File().remove(entry)


Expand Down
12 changes: 8 additions & 4 deletions girder/girder_large_image/rest/__init__.py
Original file line number Diff line number Diff line change
Expand Up @@ -131,23 +131,27 @@ def getYAMLConfigFile(self, folder, name):
return yamlConfigFile(folder, name, user)


@access.public(scope=TokenScope.DATA_WRITE)
@access.public(scope=TokenScope.DATA_READ)
@autoDescribeRoute(
Description('Get a config file.')
.notes(
'This replaces or creates an item in the specified folder with the '
'specified name containing a single file also of the specified '
'name. The file is added to the default assetstore, and any existing '
'file may be permanently deleted.')
.modelParam('id', model=Folder, level=AccessType.WRITE)
.modelParam('id', model=Folder, level=AccessType.READ)
.param('name', 'The name of the file.', paramType='path')
.param('user_context', 'Whether these settings should only apply to the '
'current user.', paramType='query', dataType='boolean', default=False)
.param('config', 'The contents of yaml config file to validate.',
paramType='body'),
)
@boundHandler()
def putYAMLConfigFile(self, folder, name, config):
def putYAMLConfigFile(self, folder, name, config, user_context):
from .. import yamlConfigFileWrite

user = self.getCurrentUser()
if not user_context:
Folder().requireAccess(folder, user, AccessType.WRITE)
config = config.read().decode('utf8')
return yamlConfigFileWrite(folder, name, user, config)
return yamlConfigFileWrite(folder, name, user, config, user_context)
2 changes: 1 addition & 1 deletion girder/test_girder/test_large_image.py
Original file line number Diff line number Diff line change
Expand Up @@ -482,7 +482,7 @@ def testYAMLConfigFile(server, admin, user, fsAssetstore):
path='/folder/%s/yaml_config/sample.json' % str(colFolderB['_id']),
method='GET')
assert utilities.respStatus(resp) == 200
assert resp.json is None
assert resp.json['itemList'] is not None

colFolderConfig = Folder().createFolder(
collection, '.config', parentType='collection',
Expand Down
2 changes: 1 addition & 1 deletion girder/test_girder/web_client_specs/imageViewerSpec.js
Original file line number Diff line number Diff line change
Expand Up @@ -207,7 +207,7 @@ $(function () {
});
it('test the metadata columns are not shown', function () {
runs(function () {
expect($('.large_image_container').length).toBeGreaterThan(0);
expect($('.large_image_container').length).toBe(0);
expect($('.large_image_thumbnail').length).toBeGreaterThan(0);
expect($('.li-column-metadata').length).toBe(0);
});
Expand Down