コード例 #1
0
def main():
    parser = argparse.ArgumentParser(
        description=
        "Load data from the questionnaire into a an Excel spreadsheet")
    parser.add_argument(
        "--questionnaire_url",
        default="https://pswww.slac.stanford.edu/ws-kerb/questionnaire",
    )
    parser.add_argument("--no_kerberos", action="store_false")
    parser.add_argument("--user")
    parser.add_argument("--password")
    parser.add_argument("run")
    parser.add_argument(
        "attributes_file",
        help=
        "A JSON file with an array of dicts; each of which has a attrname and a label.",
    )
    parser.add_argument("excelFilePath")
    args = parser.parse_args()

    qs = QuestionnaireClient(args.questionnaire_url,
                             args.no_kerberos,
                             user=args.user,
                             pw=args.password)
    generateExcelSpreadSheetForRun(qs, args.run, args.attributes_file,
                                   args.excelFilePath)
コード例 #2
0
    def __init__(self, expname, *, url=None, use_kerberos=True, user=None,
                 pw=None):
        # Create our client and gather the raw information from the client
        self._client = QuestionnaireClient(
            url=url, use_kerberos=use_kerberos, user=user, pw=pw
        )

        self.db = self._initialize_database(expname)
コード例 #3
0
ファイル: qs_db.py プロジェクト: pcdshub/happi
    def __init__(self, expname: str, *, url=None, use_kerberos=True, user=None,
                 pw=None, cfg_path=None):
        # Load cache is unused for this backend, but we have it here for
        # API compatibility with the superclass JSONBackend.
        self._load_cache = None
        # Create our client and gather the raw information from the client
        self._client = QuestionnaireClient(
            url=url, use_kerberos=use_kerberos, user=user, pw=pw
        )

        self.db = self._initialize_database(expname)
コード例 #4
0
def main():
    parser = argparse.ArgumentParser(
        description=
        'Load data from the questionnaire into a an Excel spreadsheet')
    parser.add_argument(
        '--questionnaire_url',
        default="https://pswww.slac.stanford.edu/ws-kerb/questionnaire")
    parser.add_argument(
        '--useLabels',
        action="store_true",
        help="Use the questionnaire labels as the attribute names.")
    parser.add_argument('--no_kerberos', action="store_false")
    parser.add_argument('run')
    parser.add_argument('jsonFilePath')
    args = parser.parse_args()

    qs = QuestionnaireClient(args.questionnaire_url, args.no_kerberos)
    generateJSONDocumentForRun(qs, args.run, args.useLabels, args.jsonFilePath)
コード例 #5
0
ファイル: qs_db.py プロジェクト: jsheppard95/happi
    def __init__(self, expname, **kwargs):
        # Create our client and gather the raw information from the client
        self.qs = QuestionnaireClient(**kwargs)

        # Get the proposal number
        exp_dict = self.qs.getExpName2URAWIProposalIDs()
        try:
            proposal = exp_dict[expname]
        except KeyError:
            # Rare case for debug/daq experiments, roll with it for now
            proposal = expname

        run_no = 'run{}'.format(expname[-2:])
        try:
            logger.debug("Requesting list of proposals in %s", run_no)
            prop_ids = self.qs.getProposalsListForRun(run_no)
            try:
                beamline = prop_ids[proposal]['Instrument']
            except KeyError:
                # Rare care for debug/daq experiments
                beamline = prop_ids[expname]['Instrument']
                proposal = expname
        # Invalid proposal id for this run
        except KeyError as exc:
            raise DatabaseError('Unable to find proposal {}'.format(proposal))\
                  from exc
        # Find if our exception gave an HTTP status code and interpret it
        except Exception as exc:
            if len(exc.args) > 1:
                status_code = exc.args[1]
            else:
                status_code = ''
            # No information found from run
            if status_code == 500:
                reason = 'No run id found for {}'.format(run_no)
            # Invalid credentials
            elif status_code == 401:
                reason = 'Invalid credentials'
            # Unrecognized error
            else:
                reason = 'Unable to find run information'
            raise DatabaseError(reason) from exc

        # Interpret the raw information into a happi structured dictionary
        self.db = dict()
        logger.debug("Requesting proposal information for %s", proposal)
        raw = self.qs.getProposalDetailsForRun(run_no, proposal)
        for table, _class in self.device_translations.items():
            # Create a regex pattern to find all the appropriate pattern match
            pattern = re.compile(r'pcdssetup-{}' r'-(\d+)-(\w+)'.format(table))
            # Search for all keys that match the device and store in a
            # temporary dictionary
            devices = dict()
            for field in raw.keys():
                match = pattern.match(field)
                if match:
                    dev_no = match.group(1)
                    # Create an empty dictionary for the specific device
                    # information
                    if dev_no not in devices:
                        devices[dev_no] = dict()
                    # Add the key information to the specific device dictionary
                    devices[dev_no][match.group(2)] = raw[field]
            # Store the devices as happi items
            if not devices:
                logger.info("No device information found under '%s'", table)
            else:
                logger.debug("Found %s devices under %s table", len(devices),
                             table)
                for num, dev_info in devices.items():
                    try:
                        post = {
                            'name': dev_info.pop('name'),
                            'prefix': dev_info['pvbase'],
                            'beamline': beamline,
                            'type': _class,
                            # TODO: We should not assume that we are using
                            # the prefix as _id. Other backends do not make
                            # this assumption. This will require moving the
                            # _id configuration from Client to Backend
                            '_id': dev_info.pop('pvbase')
                        }
                        # Add extraneous metadata
                        post.update(dev_info)
                        # Check that the we haven't received empty strings from
                        # the Questionnaire
                        for key in ['prefix', 'name']:
                            if not post.get(key):
                                raise Exception("Unable to create a device "
                                                " without %s" % key)
                    except Exception:
                        logger.warning(
                            "Unable to create an object from "
                            "Questionnaire table %s row %s", table, num)
                    else:
                        self.db[post['_id']] = post
コード例 #6
0
ファイル: qs_db.py プロジェクト: jsheppard95/happi
class QSBackend(JSONBackend):
    """
    Questionniare Backend

    This backend connects to the LCLS questionnaire and looks at devices with
    the key pattern pcds-{}-setup-{}-{}. These fields are then combined and
    turned into proper happi devices. The translation of table name to
    ``happi.HappiItem`` is determined by the :attr:`.device_translations`
    dictionary. The beamline is determined by looking where the proposal was
    submitted.

    Unlike the other backends, this one is read-only. All changes to the device
    information should be done via the web interface. Finally, in order to
    avoid duplicating any code needed to search the device database, the
    QSBackend inherits directly from JSONBackend. Many of the functions are
    unmodified with exception being that this backend merely searchs through an
    in memory dictionary while the JSONBackend reads from the file before
    searches.

    Parameters
    ----------
    expname : str
        The experiment name from the elog, e.g. xcslp1915
    """
    device_translations = {
        'motors': 'Motor',
        'trig': 'Trigger',
        'ao': 'Acromag',
        'ai': 'Acromag'
    }

    def __init__(self, expname, **kwargs):
        # Create our client and gather the raw information from the client
        self.qs = QuestionnaireClient(**kwargs)

        # Get the proposal number
        exp_dict = self.qs.getExpName2URAWIProposalIDs()
        try:
            proposal = exp_dict[expname]
        except KeyError:
            # Rare case for debug/daq experiments, roll with it for now
            proposal = expname

        run_no = 'run{}'.format(expname[-2:])
        try:
            logger.debug("Requesting list of proposals in %s", run_no)
            prop_ids = self.qs.getProposalsListForRun(run_no)
            try:
                beamline = prop_ids[proposal]['Instrument']
            except KeyError:
                # Rare care for debug/daq experiments
                beamline = prop_ids[expname]['Instrument']
                proposal = expname
        # Invalid proposal id for this run
        except KeyError as exc:
            raise DatabaseError('Unable to find proposal {}'.format(proposal))\
                  from exc
        # Find if our exception gave an HTTP status code and interpret it
        except Exception as exc:
            if len(exc.args) > 1:
                status_code = exc.args[1]
            else:
                status_code = ''
            # No information found from run
            if status_code == 500:
                reason = 'No run id found for {}'.format(run_no)
            # Invalid credentials
            elif status_code == 401:
                reason = 'Invalid credentials'
            # Unrecognized error
            else:
                reason = 'Unable to find run information'
            raise DatabaseError(reason) from exc

        # Interpret the raw information into a happi structured dictionary
        self.db = dict()
        logger.debug("Requesting proposal information for %s", proposal)
        raw = self.qs.getProposalDetailsForRun(run_no, proposal)
        for table, _class in self.device_translations.items():
            # Create a regex pattern to find all the appropriate pattern match
            pattern = re.compile(r'pcdssetup-{}' r'-(\d+)-(\w+)'.format(table))
            # Search for all keys that match the device and store in a
            # temporary dictionary
            devices = dict()
            for field in raw.keys():
                match = pattern.match(field)
                if match:
                    dev_no = match.group(1)
                    # Create an empty dictionary for the specific device
                    # information
                    if dev_no not in devices:
                        devices[dev_no] = dict()
                    # Add the key information to the specific device dictionary
                    devices[dev_no][match.group(2)] = raw[field]
            # Store the devices as happi items
            if not devices:
                logger.info("No device information found under '%s'", table)
            else:
                logger.debug("Found %s devices under %s table", len(devices),
                             table)
                for num, dev_info in devices.items():
                    try:
                        post = {
                            'name': dev_info.pop('name'),
                            'prefix': dev_info['pvbase'],
                            'beamline': beamline,
                            'type': _class,
                            # TODO: We should not assume that we are using
                            # the prefix as _id. Other backends do not make
                            # this assumption. This will require moving the
                            # _id configuration from Client to Backend
                            '_id': dev_info.pop('pvbase')
                        }
                        # Add extraneous metadata
                        post.update(dev_info)
                        # Check that the we haven't received empty strings from
                        # the Questionnaire
                        for key in ['prefix', 'name']:
                            if not post.get(key):
                                raise Exception("Unable to create a device "
                                                " without %s" % key)
                    except Exception:
                        logger.warning(
                            "Unable to create an object from "
                            "Questionnaire table %s row %s", table, num)
                    else:
                        self.db[post['_id']] = post

    def initialize(self):
        """
        Can not initialize a new Questionnaire entry from API
        """
        raise NotImplementedError("The Questionnaire backend is read-only")

    def load(self):
        """
        Return the structured dictionary of information
        """
        return self.db

    def store(self, *args, **kwargs):
        """
        The current implementation of this backend is read-only
        """
        raise NotImplementedError("The Questionnaire backend is read-only")

    def save(self, *args, **kwargs):
        """
        The current implementation of this backend is read-only
        """
        raise NotImplementedError("The Questionnaire backend is read-only")

    def delete(self, _id):
        """
        The current implementation of this backend is read-only
        """
        raise NotImplementedError("The Questionnaire backend is read-only")
コード例 #7
0
        # Add the details of each proposal to the information obtained from the proposal list call.
        proposals[proposalid].update(proposalDetails)
        for clnum in range(len(column2Names)):
            ckey = column2Names[clnum][0]
            if ckey in proposals[proposalid]:
                _ = ws.cell(row=rowNum + 1,
                            column=clnum + 1,
                            value=proposals[proposalid][ckey])
            else:
                _ = ws.cell(row=rowNum + 1, column=clnum + 1, value='')
        rowNum = rowNum + 1

    wb.save(excelFilePath)
    print("Saved data into", excelFilePath)


if __name__ == '__main__':
    parser = argparse.ArgumentParser(
        description=
        'Load data from the questionnaire into a an Excel spreadsheet')
    parser.add_argument(
        '--questionnaire_url',
        default="https://pswww.slac.stanford.edu/ws-kerb/questionnaire")
    parser.add_argument('--no_kerberos', action="store_false")
    parser.add_argument('run')
    parser.add_argument('excelFilePath')
    args = parser.parse_args()

    qs = QuestionnaireClient(args.questionnaire_url, args.no_kerberos)
    generateExcelSpreadSheetForRun(qs, args.run, args.excelFilePath)
コード例 #8
0
ファイル: qs_db.py プロジェクト: untzag/happi
 def __init__(self, client: QuestionnaireClient):
     self._client = client
     self._experiment = None
     self.experiment_to_proposal = client.getExpName2URAWIProposalIDs()