Passed
Pull Request — main (#877)
by Osma
03:18
created

annif.cli.run_index_text()   C

Complexity

Conditions 8

Size

Total Lines 62
Code Lines 45

Duplication

Lines 0
Ratio 0 %

Importance

Changes 0
Metric Value
cc 8
eloc 45
nop 8
dl 0
loc 62
rs 6.9333
c 0
b 0
f 0

How to fix   Long Method    Many Parameters   

Long Method

Small methods make your code easier to understand, in particular if combined with a good name. Besides, if your method is small, finding a good name is usually much easier.

For example, if you find yourself adding comments to a method's body, this is usually a good sign to extract the commented part to a new method, and use the comment as a starting point when coming up with a good name for this new method.

Commonly applied refactorings include:

Many Parameters

Methods with many parameters are not only hard to understand, but their parameters also often become inconsistent when you need more, or different data.

There are several approaches to avoid long parameter lists:

1
"""Definitions for command-line (Click) commands for invoking Annif
2
operations and printing the results to console."""
3
4
import collections
5
import importlib
6
import json
7
import os.path
8
import re
9
import sys
10
11
import click
12
import click_log
13
from flask.cli import FlaskGroup
14
15
import annif
16
import annif.parallel
17
import annif.project
18
import annif.registry
19
from annif import cli_util, hfh_util
20
from annif.corpus import Document, DocumentDirectory
21
from annif.exception import (
22
    NotInitializedException,
23
    NotSupportedException,
24
    OperationFailedException,
25
)
26
from annif.project import Access
27
from annif.simplemma_util import detect_language
28
from annif.util import metric_code
29
30
logger = annif.logger
31
click_log.basic_config(logger)
32
33
create_app = annif.create_flask_app
34
cli = FlaskGroup(
35
    create_app=create_app, add_default_commands=False, add_version_option=False
36
)
37
cli = click.version_option(message="%(version)s")(cli)
38
cli.params = [opt for opt in cli.params if opt.name not in ("env_file", "app")]
39
40
41
@cli.command("list-projects")
42
@cli_util.common_options
43
@click_log.simple_verbosity_option(logger, default="ERROR")
44
def run_list_projects():
45
    """
46
    List available projects.
47
    \f
48
    Show a list of currently defined projects. Projects are defined in a
49
    configuration file, normally called ``projects.cfg``. See `Project
50
    configuration
51
    <https://github.com/NatLibFi/Annif/wiki/Project-configuration>`_
52
    for details.
53
    """
54
55
    column_headings = (
56
        "Project ID",
57
        "Project Name",
58
        "Vocabulary ID",
59
        "Language",
60
        "Trained",
61
        "Modification time",
62
    )
63
    table = [
64
        (
65
            proj.project_id,
66
            proj.name,
67
            proj.vocab.vocab_id if proj.vocab_spec else "-",
68
            proj.language,
69
            str(proj.is_trained),
70
            cli_util.format_datetime(proj.modification_time),
71
        )
72
        for proj in annif.registry.get_projects(min_access=Access.private).values()
73
    ]
74
    template = cli_util.make_list_template(column_headings, *table)
75
    header = template.format(*column_headings)
76
    click.echo(header)
77
    click.echo("-" * len(header))
78
    for row in table:
79
        click.echo(template.format(*row))
80
81
82
@cli.command("show-project")
83
@cli_util.project_id
84
@cli_util.common_options
85
def run_show_project(project_id):
86
    """
87
    Show information about a project.
88
    """
89
90
    proj = cli_util.get_project(project_id)
91
    click.echo(f"Project ID:        {proj.project_id}")
92
    click.echo(f"Project Name:      {proj.name}")
93
    click.echo(f"Language:          {proj.language}")
94
    click.echo(f"Vocabulary:        {proj.vocab.vocab_id}")
95
    click.echo(f"Vocab language:    {proj.vocab_lang}")
96
    click.echo(f"Access:            {proj.access.name}")
97
    click.echo(f"Backend:           {proj.backend.name}")
98
    click.echo(f"Trained:           {proj.is_trained}")
99
    click.echo(f"Modification time: {cli_util.format_datetime(proj.modification_time)}")
100
101
102
@cli.command("clear")
103
@cli_util.project_id
104
@cli_util.common_options
105
def run_clear_project(project_id):
106
    """
107
    Initialize the project to its original, untrained state.
108
    """
109
    proj = cli_util.get_project(project_id)
110
    proj.remove_model_data()
111
112
113
@cli.command("list-vocabs")
114
@cli_util.common_options
115
@click_log.simple_verbosity_option(logger, default="ERROR")
116
def run_list_vocabs():
117
    """
118
    List available vocabularies.
119
    """
120
121
    column_headings = ("Vocabulary ID", "Languages", "Size", "Loaded")
122
    table = []
123
    for vocab in annif.registry.get_vocabs(min_access=Access.private).values():
124
        try:
125
            languages = ",".join(sorted(vocab.languages))
126
            size = len(vocab)
127
            loaded = True
128
        except NotInitializedException:
129
            languages = "-"
130
            size = "-"
131
            loaded = False
132
        row = (vocab.vocab_id, languages, str(size), str(loaded))
133
        table.append(row)
134
135
    template = cli_util.make_list_template(column_headings, *table)
136
    header = template.format(*column_headings)
137
    click.echo(header)
138
    click.echo("-" * len(header))
139
    for row in table:
140
        click.echo(template.format(*row))
141
142
143
@cli.command("load-vocab")
144
@click.argument("vocab_id", shell_complete=cli_util.complete_param)
145
@click.argument("vocab_file", type=click.Path(exists=True, dir_okay=False))
146
@click.option("--language", "-L", help="Language of TSV vocabulary file")
147
@click.option(
148
    "--force",
149
    "-f",
150
    default=False,
151
    is_flag=True,
152
    help="Replace existing vocabulary completely instead of updating it",
153
)
154
@cli_util.common_options
155
def run_load_vocab(vocab_id, language, force, vocab_file):
156
    """
157
    Load a vocabulary from a subject file.
158
    """
159
    vocab = cli_util.get_vocab(vocab_id)
160
    if annif.vocab.VocabFileSKOS.is_rdf_file(vocab_file):
161
        # SKOS/RDF file supported by rdflib
162
        vocab_file = annif.vocab.VocabFileSKOS(vocab_file)
163
        click.echo(f"Loading vocabulary from SKOS file {vocab_file}...")
164
    elif annif.vocab.VocabFileCSV.is_csv_file(vocab_file):
165
        # CSV file
166
        vocab_file = annif.vocab.VocabFileCSV(vocab_file)
167
        click.echo(f"Loading vocabulary from CSV file {vocab_file}...")
168
    else:
169
        # probably a TSV file - we need to know its language
170
        if not language:
171
            click.echo(
172
                "Please use --language option to set the language of a TSV vocabulary.",
173
                err=True,
174
            )
175
            sys.exit(1)
176
        click.echo(f"Loading vocabulary from TSV file {vocab_file}...")
177
        vocab_file = annif.vocab.VocabFileTSV(vocab_file, language)
178
    vocab.load_vocabulary(vocab_file, force=force)
179
180
181
@cli.command("train")
182
@cli_util.project_id
183
@click.argument("paths", type=click.Path(exists=True), nargs=-1)
184
@click.option(
185
    "--cached/--no-cached",
186
    "-c/-C",
187
    default=False,
188
    help="Reuse preprocessed training data from previous run",
189
)
190
@click.option(
191
    "--jobs",
192
    "-j",
193
    default=0,
194
    help="Number of parallel jobs (0 means choose automatically)",
195
)
196
@cli_util.docs_limit_option
197
@cli_util.backend_param_option
198
@cli_util.common_options
199
def run_train(project_id, paths, cached, docs_limit, jobs, backend_param):
200
    """
201
    Train a project on a collection of documents.
202
    \f
203
    This will train the project using the documents from ``PATHS`` (directories
204
    or possibly gzipped TSV files) in a single batch operation. If ``--cached``
205
    is set, preprocessed training data from the previous run is reused instead
206
    of documents input; see `Reusing preprocessed training data
207
    <https://github.com/NatLibFi/Annif/wiki/
208
    Reusing-preprocessed-training-data>`_.
209
    """
210
    proj = cli_util.get_project(project_id)
211
    backend_params = cli_util.parse_backend_params(backend_param, proj)
212
    if cached:
213
        if len(paths) > 0:
214
            raise click.UsageError(
215
                "Corpus paths cannot be given when using --cached option."
216
            )
217
        documents = "cached"
218
    else:
219
        documents = cli_util.open_documents(
220
            paths, proj.subjects, proj.vocab_lang, docs_limit
221
        )
222
    proj.train(documents, backend_params, jobs)
223
224
225
@cli.command("learn")
226
@cli_util.project_id
227
@click.argument("paths", type=click.Path(exists=True), nargs=-1)
228
@cli_util.docs_limit_option
229
@cli_util.backend_param_option
230
@cli_util.common_options
231
def run_learn(project_id, paths, docs_limit, backend_param):
232
    """
233
    Further train an existing project on a collection of documents.
234
    \f
235
    Similar to the ``train`` command. This will continue training an already
236
    trained project using the documents given by ``PATHS`` in a single batch
237
    operation. Not supported by all backends.
238
    """
239
    proj = cli_util.get_project(project_id)
240
    backend_params = cli_util.parse_backend_params(backend_param, proj)
241
    documents = cli_util.open_documents(
242
        paths, proj.subjects, proj.vocab_lang, docs_limit
243
    )
244
    proj.learn(documents, backend_params)
245
246
247
@cli.command("suggest")
248
@cli_util.project_id
249
@click.argument(
250
    "paths", type=click.Path(dir_okay=False, exists=True, allow_dash=True), nargs=-1
251
)
252
@click.option("--limit", "-l", default=10, help="Maximum number of subjects")
253
@click.option("--threshold", "-t", default=0.0, help="Minimum score threshold")
254
@click.option("--language", "-L", help="Language of subject labels")
255
@cli_util.docs_limit_option
256
@cli_util.backend_param_option
257
@click.option(
258
    "--metadata",
259
    "-D",
260
    multiple=True,
261
    help="Additional metadata for a document read from standard input. "
262
    + "Syntax: `-D <field>=<value>`.",
263
)
264
@cli_util.common_options
265
def run_suggest(
266
    project_id, paths, limit, threshold, language, backend_param, metadata, docs_limit
267
):
268
    """
269
    Suggest subjects for a single document from standard input (optionally
270
    with metadata) or for one or more document file(s) given its/their
271
    path(s).
272
    \f
273
    This will read a text document from standard input and suggest subjects for
274
    it, or if given path(s) to file(s), suggest subjects for it/them.
275
    """
276
    project = cli_util.get_project(project_id)
277
    lang = language or project.vocab_lang
278
    if lang not in project.vocab.languages:
279
        raise click.BadParameter(f'language "{lang}" not supported by vocabulary')
280
    backend_params = cli_util.parse_backend_params(backend_param, project)
281
282
    if paths and not (len(paths) == 1 and paths[0] == "-"):
283
        docs = cli_util.open_text_documents(paths, docs_limit)
284
        results = project.suggest_corpus(docs, backend_params).filter(limit, threshold)
285
        for (
286
            suggestions,
287
            path,
288
        ) in zip(results, paths):
289
            click.echo(f"Suggestions for {path}")
290
            cli_util.show_hits(suggestions, project, lang)
291
    else:
292
        text = sys.stdin.read()
293
        doc_metadata = cli_util.parse_metadata(metadata)
294
        suggestions = project.suggest(
295
            [Document(text=text, metadata=doc_metadata)], backend_params
296
        ).filter(limit, threshold)[0]
297
        cli_util.show_hits(suggestions, project, lang)
298
299
300
@cli.command("index")
301
@cli_util.project_id
302
@click.argument("directory", type=click.Path(exists=True, file_okay=False))
303
@click.option(
304
    "--suffix", "-s", default=".annif", help="File name suffix for result files"
305
)
306
@click.option(
307
    "--force/--no-force",
308
    "-f/-F",
309
    default=False,
310
    help="Force overwriting of existing result files",
311
)
312
@click.option("--limit", "-l", default=10, help="Maximum number of subjects")
313
@click.option("--threshold", "-t", default=0.0, help="Minimum score threshold")
314
@click.option("--language", "-L", help="Language of subject labels")
315
@cli_util.backend_param_option
316
@cli_util.common_options
317
def run_index(
318
    project_id, directory, suffix, force, limit, threshold, language, backend_param
319
):
320
    """
321
    Index a directory with documents, suggesting subjects for each document.
322
    Write the results in TSV files with the given suffix (``.annif`` by
323
    default).
324
    """
325
    project = cli_util.get_project(project_id)
326
    lang = language or project.vocab_lang
327
    if lang not in project.vocab.languages:
328
        raise click.BadParameter(f'language "{lang}" not supported by vocabulary')
329
    backend_params = cli_util.parse_backend_params(backend_param, project)
330
331
    corpus = DocumentDirectory(directory, require_subjects=False)
332
    results = project.suggest_corpus(corpus, backend_params).filter(limit, threshold)
333
334
    for doc, suggestions in zip(corpus.documents, results):
335
        subjectfilename = re.sub(r"\.(txt|json)$", suffix, doc.file_path)
336
        if os.path.exists(subjectfilename) and not force:
337
            click.echo(
338
                "Not overwriting {} (use --force to override)".format(subjectfilename)
339
            )
340
            continue
341
        with open(subjectfilename, "w", encoding="utf-8") as subjfile:
342
            cli_util.show_hits(suggestions, project, lang, file=subjfile)
343
344
345
@cli.command("index-text")
346
@cli_util.project_id
347
@click.argument("paths", type=click.Path(exists=True, dir_okay=False), nargs=-1)
348
@click.option(
349
    "--suffix", "-s", default=".annif.jsonl", help="File name suffix for result files"
350
)
351
@click.option(
352
    "--force/--no-force",
353
    "-f/-F",
354
    default=False,
355
    help="Force overwriting of existing result files",
356
)
357
@click.option("--limit", "-l", default=10, help="Maximum number of subjects")
358
@click.option("--threshold", "-t", default=0.0, help="Minimum score threshold")
359
@click.option("--language", "-L", help="Language of subject labels")
360
@cli_util.backend_param_option
361
@cli_util.common_options
362
def run_index_text(
363
    project_id, paths, suffix, force, limit, threshold, language, backend_param
364
):
365
    """
366
    Index a file with documents, suggesting subjects for each document.
367
    Write the results in JSONL files with the given suffix (``.annif.jsonl`` by
368
    default).
369
    """
370
    project = cli_util.get_project(project_id)
371
    lang = language or project.vocab_lang
372
    if lang not in project.vocab.languages:
373
        raise click.BadParameter(f'language "{lang}" not supported by vocabulary')
374
    backend_params = cli_util.parse_backend_params(backend_param, project)
375
376
    for path in paths:
377
        corpus = cli_util.open_doc_path(
378
            path, project.subjects, lang, require_subjects=False
379
        )
380
        results = project.suggest_corpus(corpus, backend_params).filter(
381
            limit, threshold
382
        )
383
384
        outfilename = re.sub(r"\.(csv|tsv|jsonl)$", suffix, path)
385
        if os.path.exists(outfilename) and not force:
386
            click.echo(
387
                "Not overwriting {} (use --force to override)".format(outfilename)
388
            )
389
            continue
390
391
        with open(outfilename, "w", encoding="utf-8") as outfile:
392
            for doc, suggestions in zip(corpus.documents, results):
393
                out_suggestions = []
394
                for suggestion in suggestions:
395
                    subj = project.subjects[suggestion.subject_id]
396
                    out_suggestions.append(
397
                        {
398
                            "uri": subj.uri,
399
                            "label": subj.labels[lang],
400
                            "notation": subj.notation,
401
                            "score": suggestion.score,
402
                        }
403
                    )
404
405
                output = {"suggestions": [out_suggestions]}
406
                outfile.write(json.dumps(output) + "\n")
407
408
409
@cli.command("eval")
410
@cli_util.project_id
411
@click.argument("paths", type=click.Path(exists=True), nargs=-1)
412
@click.option("--limit", "-l", default=10, help="Maximum number of subjects")
413
@click.option("--threshold", "-t", default=0.0, help="Minimum score threshold")
414
@click.option(
415
    "--metric",
416
    "-m",
417
    default=[],
418
    multiple=True,
419
    help="Metric to calculate (default: all)",
420
)
421
@click.option(
422
    "--metrics-file",
423
    "-M",
424
    type=click.File("w", encoding="utf-8", errors="ignore", lazy=True),
425
    help="""Specify file in order to write evaluation metrics in JSON format.
426
    File directory must exist, existing file will be overwritten.""",
427
)
428
@click.option(
429
    "--results-file",
430
    "-r",
431
    type=click.File("w", encoding="utf-8", errors="ignore", lazy=True),
432
    help="""Specify file in order to write non-aggregated results per subject.
433
    File directory must exist, existing file will be overwritten.""",
434
)
435
@click.option(
436
    "--jobs", "-j", default=1, help="Number of parallel jobs (0 means all CPUs)"
437
)
438
@cli_util.docs_limit_option
439
@cli_util.backend_param_option
440
@cli_util.common_options
441
def run_eval(
442
    project_id,
443
    paths,
444
    limit,
445
    threshold,
446
    docs_limit,
447
    metric,
448
    metrics_file,
449
    results_file,
450
    jobs,
451
    backend_param,
452
):
453
    """
454
    Suggest subjects for documents and evaluate the results by comparing
455
    against a gold standard.
456
    \f
457
    With this command the documents from ``PATHS`` (directories or possibly
458
    gzipped TSV files) will be assigned subject suggestions and then
459
    statistical measures are calculated that quantify how well the suggested
460
    subjects match the gold-standard subjects in the documents.
461
462
    Normally the output is the list of the metrics calculated across documents.
463
    If ``--results-file <FILENAME>`` option is given, the metrics are
464
    calculated separately for each subject, and written to the given file.
465
    """
466
467
    project = cli_util.get_project(project_id)
468
    backend_params = cli_util.parse_backend_params(backend_param, project)
469
470
    import annif.eval
471
472
    eval_batch = annif.eval.EvaluationBatch(project.subjects)
473
474
    if results_file:
475
        try:
476
            print("", end="", file=results_file)
477
            click.echo(
478
                "Writing per subject evaluation results to {!s}".format(
479
                    results_file.name
480
                )
481
            )
482
        except Exception as e:
483
            raise NotSupportedException(
484
                "cannot open results-file for writing: " + str(e)
485
            )
486
    corpus = cli_util.open_documents(
487
        paths, project.subjects, project.vocab_lang, docs_limit
488
    )
489
    jobs, pool_class = annif.parallel.get_pool(jobs)
490
491
    project.initialize(parallel=True)
492
    psmap = annif.parallel.ProjectSuggestMap(
493
        project.registry, [project_id], backend_params, limit, threshold
494
    )
495
496
    with pool_class(jobs) as pool:
497
        for hit_sets, subject_sets in pool.imap_unordered(
498
            psmap.suggest_batch, corpus.doc_batches
499
        ):
500
            eval_batch.evaluate_many(hit_sets[project_id], subject_sets)
501
502
    template = "{0:<30}\t{1:{fmt_spec}}"
503
    metrics = eval_batch.results(
504
        metrics=metric, results_file=results_file, language=project.vocab_lang
505
    )
506
    for metric, score in metrics.items():
507
        if isinstance(score, int):
508
            fmt_spec = "d"
509
        elif isinstance(score, float):
510
            fmt_spec = ".04f"
511
        click.echo(template.format(metric + ":", score, fmt_spec=fmt_spec))
512
    if metrics_file:
513
        json.dump(
514
            {metric_code(mname): val for mname, val in metrics.items()},
515
            metrics_file,
516
            indent=2,
517
        )
518
519
520
@cli.command("run")
521
@click.option("--host", type=str, default="127.0.0.1")
522
@click.option("--port", type=int, default=5000)
523
@click.option("--log-level")
524
@click_log.simple_verbosity_option(logger, default="ERROR")
525
def run_app(**kwargs):
526
    """
527
    Run Annif in server mode for development.
528
    \f
529
    The server is for development purposes only.
530
    """
531
    kwargs = {k: v for k, v in kwargs.items() if v is not None}
532
    cxapp = annif.create_cx_app()
533
    cxapp.run(**kwargs)
534
535
536
FILTER_BATCH_MAX_LIMIT = 15
537
OPTIMIZE_METRICS = ["Precision (doc avg)", "Recall (doc avg)", "F1 score (doc avg)"]
538
539
540
@cli.command("optimize")
541
@cli_util.project_id
542
@click.argument("paths", type=click.Path(exists=True), nargs=-1)
543
@click.option(
544
    "--jobs", "-j", default=1, help="Number of parallel jobs (0 means all CPUs)"
545
)
546
@cli_util.docs_limit_option
547
@cli_util.backend_param_option
548
@cli_util.common_options
549
def run_optimize(project_id, paths, jobs, docs_limit, backend_param):
550
    """
551
    Suggest subjects for documents, testing multiple limits and thresholds.
552
    \f
553
    This command will use different limit (maximum number of subjects) and
554
    score threshold values when assigning subjects to each document given by
555
    ``PATHS`` and compare the results against the gold standard subjects in the
556
    documents. The output is a list of parameter combinations and their scores.
557
    From the output, you can determine the optimum limit and threshold
558
    parameters depending on which measure you want to target.
559
    """
560
    project = cli_util.get_project(project_id)
561
    backend_params = cli_util.parse_backend_params(backend_param, project)
562
    filter_params = cli_util.generate_filter_params(FILTER_BATCH_MAX_LIMIT)
563
564
    import annif.eval
565
566
    corpus = cli_util.open_documents(
567
        paths, project.subjects, project.vocab_lang, docs_limit
568
    )
569
570
    jobs, pool_class = annif.parallel.get_pool(jobs)
571
572
    project.initialize(parallel=True)
573
    psmap = annif.parallel.ProjectSuggestMap(
574
        project.registry,
575
        [project_id],
576
        backend_params,
577
        limit=FILTER_BATCH_MAX_LIMIT,
578
        threshold=0.0,
579
    )
580
581
    ndocs = 0
582
    suggestion_batches = []
583
    subject_set_batches = []
584
    with pool_class(jobs) as pool:
585
        for suggestion_batch, subject_sets in pool.imap_unordered(
586
            psmap.suggest_batch, corpus.doc_batches
587
        ):
588
            ndocs += len(suggestion_batch[project_id])
589
            suggestion_batches.append(suggestion_batch[project_id])
590
            subject_set_batches.append(subject_sets)
591
592
    from annif.suggestion import SuggestionResults
593
594
    orig_suggestion_results = SuggestionResults(suggestion_batches)
595
596
    click.echo("\t".join(("Limit", "Thresh.", "Prec.", "Rec.", "F1")))
597
598
    best_scores = collections.defaultdict(float)
599
    best_params = {}
600
601
    template = "{:d}\t{:.02f}\t{:.04f}\t{:.04f}\t{:.04f}"
602
    import annif.eval
603
604
    for limit, threshold in filter_params:
605
        eval_batch = annif.eval.EvaluationBatch(project.subjects)
606
        filtered_results = orig_suggestion_results.filter(limit, threshold)
607
        for batch, subject_sets in zip(filtered_results.batches, subject_set_batches):
608
            eval_batch.evaluate_many(batch, subject_sets)
609
        results = eval_batch.results(metrics=OPTIMIZE_METRICS)
610
        for metric, score in results.items():
611
            if score >= best_scores[metric]:
612
                best_scores[metric] = score
613
                best_params[metric] = (limit, threshold)
614
        click.echo(
615
            template.format(
616
                limit,
617
                threshold,
618
                results["Precision (doc avg)"],
619
                results["Recall (doc avg)"],
620
                results["F1 score (doc avg)"],
621
            )
622
        )
623
624
    click.echo()
625
    template2 = "Best {:>19}: {:.04f}\tLimit: {:d}\tThreshold: {:.02f}"
626
    for metric in OPTIMIZE_METRICS:
627
        click.echo(
628
            template2.format(
629
                metric,
630
                best_scores[metric],
631
                best_params[metric][0],
632
                best_params[metric][1],
633
            )
634
        )
635
    click.echo("Documents evaluated:\t{}".format(ndocs))
636
637
638
@cli.command("hyperopt")
639
@cli_util.project_id
640
@click.argument("paths", type=click.Path(exists=True), nargs=-1)
641
@click.option("--trials", "-T", default=10, help="Number of trials")
642
@click.option(
643
    "--jobs", "-j", default=1, help="Number of parallel runs (0 means all CPUs)"
644
)
645
@click.option(
646
    "--metric", "-m", default="NDCG", help="Metric to optimize (default: NDCG)"
647
)
648
@click.option(
649
    "--results-file",
650
    "-r",
651
    type=click.File("w", encoding="utf-8", errors="ignore", lazy=True),
652
    help="""Specify file path to write trial results as TSV.
653
    File directory must exist, existing file will be overwritten.""",
654
)
655
@cli_util.docs_limit_option
656
@cli_util.common_options
657
def run_hyperopt(project_id, paths, docs_limit, trials, jobs, metric, results_file):
658
    """
659
    Optimize the hyperparameters of a project using validation documents from
660
    ``PATHS``. Not supported by all backends. Output is a list of trial results
661
    and a report of the best performing parameters.
662
    """
663
    proj = cli_util.get_project(project_id)
664
    documents = cli_util.open_documents(
665
        paths, proj.subjects, proj.vocab_lang, docs_limit
666
    )
667
    click.echo(f"Looking for optimal hyperparameters using {trials} trials")
668
    rec = proj.hyperopt(documents, trials, jobs, metric, results_file)
669
    click.echo(f"Got best {metric} score {rec.score:.4f} with:")
670
    click.echo("---")
671
    for line in rec.lines:
672
        click.echo(line)
673
    click.echo("---")
674
675
676
@cli.command("upload")
677
@click.argument("project_ids_pattern", shell_complete=cli_util.complete_param)
678
@click.argument("repo_id")
679
@click.option(
680
    "--token",
681
    help="""Authentication token, obtained from the Hugging Face Hub.
682
    Will default to the stored token.""",
683
)
684
@click.option(
685
    "--revision",
686
    help="""An optional git revision to commit from. Defaults to the head of the "main"
687
    branch.""",
688
)
689
@click.option(
690
    "--commit-message",
691
    help="""The summary / title / first line of the generated commit.""",
692
)
693
@click.option(
694
    "--modelcard/--no-modelcard",
695
    default=True,
696
    help="Update or create a Model Card with upload.",
697
)
698
@cli_util.common_options
699
def run_upload(
700
    project_ids_pattern, repo_id, token, revision, commit_message, modelcard
701
):
702
    """
703
    Upload selected projects and their vocabularies to a Hugging Face Hub repository.
704
    \f
705
    This command zips the project directories and vocabularies of the projects
706
    that match the given `project_ids_pattern` to archive files, and uploads the
707
    archives along with the project configurations to the specified Hugging Face
708
    Hub repository. An authentication token and commit message can be given with
709
    options. If the README.md does not exist in the repository it is
710
    created with default contents and metadata of the uploaded projects, if it exists,
711
    its metadata are updated as necessary.
712
    """
713
    from huggingface_hub import HfApi
714
    from huggingface_hub.utils import HfHubHTTPError, HFValidationError
715
716
    projects = hfh_util.get_matching_projects(project_ids_pattern)
717
    click.echo(f"Uploading project(s): {', '.join([p.project_id for p in projects])}")
718
719
    commit_message = (
720
        commit_message
721
        if commit_message is not None
722
        else f"Upload project(s) {project_ids_pattern} with Annif"
723
    )
724
725
    fobjs, operations = [], []
726
    try:
727
        fobjs, operations = hfh_util.prepare_commits(projects, repo_id, token)
728
        api = HfApi()
729
        api.create_commit(
730
            repo_id=repo_id,
731
            operations=operations,
732
            commit_message=commit_message,
733
            revision=revision,
734
            token=token,
735
        )
736
    except (HfHubHTTPError, HFValidationError) as err:
737
        raise OperationFailedException(str(err))
738
    else:
739
        if modelcard:
740
            hfh_util.upsert_modelcard(repo_id, projects, token, revision)
741
    finally:
742
        for fobj in fobjs:
743
            fobj.close()
744
745
746
@cli.command("download")
747
@click.argument("project_ids_pattern")
748
@click.argument("repo_id")
749
@click.option(
750
    "--token",
751
    help="""Authentication token, obtained from the Hugging Face Hub.
752
    Will default to the stored token.""",
753
)
754
@click.option(
755
    "--revision",
756
    help="""
757
    An optional Git revision id which can be a branch name, a tag, or a commit
758
    hash.
759
    """,
760
)
761
@click.option(
762
    "--force",
763
    "-f",
764
    default=False,
765
    is_flag=True,
766
    help="Replace an existing project/vocabulary/config with the downloaded one",
767
)
768
@click.option(
769
    "--trust-repo",
770
    default=False,
771
    is_flag=True,
772
    help="Allow download from the repository even when it has no entries in the cache",
773
)
774
@cli_util.common_options
775
def run_download(project_ids_pattern, repo_id, token, revision, force, trust_repo):
776
    """
777
    Download selected projects and their vocabularies from a Hugging Face Hub
778
    repository.
779
    \f
780
    This command downloads the project and vocabulary archives and the
781
    configuration files of the projects that match the given
782
    `project_ids_pattern` from the specified Hugging Face Hub repository and
783
    unzips the archives to `data/` directory and places the configuration files
784
    to `projects.d/` directory. An authentication token and revision can be given with
785
    options. If the repository hasn’t been used for downloads previously
786
    (i.e., it doesn’t appear in the Hugging Face Hub cache on local system), the
787
    `--trust-repo` option needs to be used.
788
    """
789
790
    hfh_util.check_is_download_allowed(trust_repo, repo_id)
791
792
    project_ids = hfh_util.get_matching_project_ids_from_hf_hub(
793
        project_ids_pattern, repo_id, token, revision
794
    )
795
    click.echo(f"Downloading project(s): {', '.join(project_ids)}")
796
797
    vocab_ids = set()
798
    for project_id in project_ids:
799
        project_zip_cache_path = hfh_util.download_from_hf_hub(
800
            f"projects/{project_id}.zip", repo_id, token, revision
801
        )
802
        hfh_util.unzip_archive(project_zip_cache_path, force)
803
        config_file_cache_path = hfh_util.download_from_hf_hub(
804
            f"{project_id}.cfg", repo_id, token, revision
805
        )
806
        vocab_ids.add(hfh_util.get_vocab_id_from_config(config_file_cache_path))
807
        hfh_util.copy_project_config(config_file_cache_path, force)
808
809
    for vocab_id in vocab_ids:
810
        vocab_zip_cache_path = hfh_util.download_from_hf_hub(
811
            f"vocabs/{vocab_id}.zip", repo_id, token, revision
812
        )
813
        hfh_util.unzip_archive(vocab_zip_cache_path, force)
814
815
816
@cli.command("completion")
817
@click.option("--bash", "shell", flag_value="bash")
818
@click.option("--zsh", "shell", flag_value="zsh")
819
@click.option("--fish", "shell", flag_value="fish")
820
def run_completion(shell):
821
    """Generate the script for tab-key autocompletion for the given shell. To enable the
822
    completion support in your current bash terminal session run\n
823
        source <(annif completion --bash)
824
825
    To enable the completion support in all new sessions first add the completion script
826
    in your home directory:\n
827
        annif completion --bash > ~/.annif-complete.bash
828
829
    Then make the script to be automatically sourced for new terminal sessions by adding
830
    the following to your ~/.bashrc file (or in some alternative startup file)\n
831
        source ~/.annif-complete.bash
832
    """
833
834
    if shell is None:
835
        raise click.UsageError("Shell not given, try --bash, --zsh or --fish")
836
837
    script = os.popen(f"_ANNIF_COMPLETE={shell}_source annif").read()
838
    click.echo(f"# Generated by Annif {importlib.metadata.version('annif')}")
839
    click.echo(script)
840
841
842
@cli.command("detect-language")
843
@click.argument("languages")
844
@click.argument(
845
    "paths", type=click.Path(dir_okay=False, exists=True, allow_dash=True), nargs=-1
846
)
847
def run_detect_language(languages, paths):
848
    """
849
    Detect the language of a single text document from standard input or for one or more
850
    document file(s) given its/their path(s).
851
    """
852
853
    langs = tuple(languages.split(","))
854
855
    def detect_language_and_show(text, languages):
856
        try:
857
            proportions = detect_language(text, languages)
858
        except ValueError as e:
859
            raise click.UsageError(e)
860
        for lang, score in proportions.items():
861
            if lang == "unk":
862
                lang = "?"
863
            click.echo(f"{lang}\t{score:.04f}")
864
865
    if paths and not (len(paths) == 1 and paths[0] == "-"):
866
        doclist = cli_util.open_text_documents(paths, docs_limit=None)
867
        for doc, path in zip(doclist.documents, paths):
868
            click.echo(f"Detected languages for {path}")
869
            detect_language_and_show(doc.text, langs)
870
    else:
871
        text = sys.stdin.read()
872
        detect_language_and_show(text, langs)
873
874
875
if __name__ == "__main__":
876
    cli()
877