File size: 8,211 Bytes
944008b
 
7544bba
 
 
 
 
 
 
 
 
 
944008b
7544bba
 
 
5a20461
7544bba
feb3cdd
9184ba4
9f63654
391ba08
9f63654
391ba08
1029382
 
 
 
 
 
 
 
9f63654
 
1029382
 
391ba08
9f63654
1029382
9f63654
feb3cdd
1029382
feb3cdd
9f63654
391ba08
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1029382
391ba08
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
9f63654
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1029382
 
 
 
 
9f63654
391ba08
1029382
391ba08
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1029382
feb3cdd
 
7544bba
391ba08
9bfa0e0
 
 
 
 
 
 
 
 
 
 
 
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
---
license: mit
task_categories:
- text-classification
- text2text-generation
pretty_name: wikimt
size_categories:
- 1K<n<10K
language:
- en
tags:
- music
---

## Dataset Summary

In [CLaMP: Contrastive Language-Music Pre-training for Cross-Modal Symbolic Music Information Retrieval](https://ai-muzic.github.io/clamp/), we introduce WikiMusicText (WikiMT), a new dataset for the evaluation of semantic search and music classification. It includes 1010 lead sheets in ABC notation sourced from Wikifonia.org, each accompanied by a title, artist, genre, and description. The title and artist information is extracted from the score, whereas the genre labels are obtained by matching keywords from the Wikipedia entries and assigned to one of the 8 classes (Jazz, Country, Folk, R&B, Pop, Rock, Dance, and Latin) that loosely mimic the GTZAN genres. The description is obtained by utilizing BART-large to summarize and clean the corresponding Wikipedia entry. Additionally, the natural language information within the ABC notation is removed.

WikiMT is a unique resource to support the evaluation of semantic search and music classification. However, it is important to acknowledge that the dataset was curated from publicly available sources, and there may be limitations concerning the accuracy and completeness of the genre and description information. Further research is needed to explore the potential biases and limitations of the dataset and to develop strategies to address them.

## How to Access Music Score Metadata for ABC Notation

To access metadata related to ABC notation music scores from the WikiMT dataset, follow these steps:

1. **Locate the xml2abc.py script**:
    - Visit https://wim.vree.org/svgParse/xml2abc.html.
    - You will find a python script named `xml2abc.py-{version number}.zip`. Copy the link of this zip file.

2. **Locate the Wikifonia MusicXML Data**:
    - Visit the discussion: [Download for Wikifonia all 6,675 Lead Sheets](http://www.synthzone.com/forum/ubbthreads.php/topics/384909/Download_for_Wikifonia_all_6,6).
    - You will find the download link of a zip file named `Wikifonia.zip` for the Wikifonia dataset in MusicXML format (with a.mxl extension). Copy the link of this zip file.
    
2. **Run the Provided Code:** Once you have found the Wikifonia MusicXML data link, execute the provided Python code below. This code will handle the following tasks:
   - Automatically download the "xml2abc.py" conversion script, with special thanks to the author, Willem (Wim).
   - Automatically download the "wikimusictext.jsonl" dataset, which contains metadata associated with music scores.
   - Prompt you for the xml2abc/Wikifonia URL, as follows:

   ```python
   Enter the xml2abc/Wikifonia URL: [Paste your URL here]
   ```

   Paste the URL pointing to the `xml2abc.py-{version number}.zip` or `Wikifonia.zip` file and press Enter.

The below code will take care of downloading, processing, and extracting the music score metadata, making it ready for your research or applications.

```python
import subprocess
import os
import json
import zipfile
import io

# Install the required packages if they are not installed
try:
    from unidecode import unidecode
except ImportError:
    subprocess.check_call(["python", '-m', 'pip', 'install', 'unidecode'])
    from unidecode import unidecode

try:
    from tqdm import tqdm
except ImportError:
    subprocess.check_call(["python", '-m', 'pip', 'install', 'tqdm'])
    from tqdm import tqdm

try:
    import requests
except ImportError:
    subprocess.check_call(["python", '-m', 'pip', 'install', 'requests'])
    import requests

def filter(lines):
    # Filter out all lines that include language information
    music = ""
    for line in lines:
        if line[:2] in ['A:', 'B:', 'C:', 'D:', 'F:', 'G', 'H:', 'I:', 'N:', 'O:', 'R:', 'r:', 'S:', 'T:', 'W:', 'w:', 'X:', 'Z:'] \
        or line=='\n' \
        or (line.startswith('%') and not line.startswith('%%score')):
            continue
        else:
            if "%" in line and not line.startswith('%%score'):
                line = "%".join(line.split('%')[:-1])
                music += line[:-1] + '\n'
            else:
                music += line + '\n'
    return music

def load_music(filename):
    # Convert the file to ABC notation
    p = subprocess.Popen(
        f'python {xml2abc_dir}/xml2abc.py -m 2 -c 6 -x "{filename}"',
        stdout=subprocess.PIPE,
        stderr=subprocess.PIPE,
        shell=True
    )
    out, err = p.communicate()

    output = out.decode('utf-8').replace('\r', '')  # Capture standard output
    music = unidecode(output).split('\n')
    music = filter(music).strip()

    return music

def download_and_extract(url):
    print(f"Downloading {url}")

    # Send an HTTP GET request to the URL and get the response
    response = requests.get(url, stream=True)

    if response.status_code == 200:
        # Create a BytesIO object and write the HTTP response content into it
        zip_data = io.BytesIO()
        total_size = int(response.headers.get('content-length', 0))
        
        with tqdm(total=total_size, unit='B', unit_scale=True) as pbar:
            for data in response.iter_content(chunk_size=1024):
                pbar.update(len(data))
                zip_data.write(data)

        # Use the zipfile library to extract the file
        print("Extracting the zip file...")
        with zipfile.ZipFile(zip_data, "r") as zip_ref:
            zip_ref.extractall("")
        
        print("Done!")

    else:
        print("Failed to download the file. HTTP response code:", response.status_code)

# URL of the JSONL file
wikimt_url = "https://huggingface.co/datasets/sander-wood/wikimusictext/resolve/main/wikimusictext.jsonl"

# Local filename to save the downloaded file
local_filename = "wikimusictext.jsonl"

# Download the file and save it locally
response = requests.get(wikimt_url)
if response.status_code == 200:
    with open(local_filename, 'wb') as file:
        file.write(response.content)
    print(f"Downloaded '{local_filename}' successfully.")
else:
    print(f"Failed to download. Status code: {response.status_code}")

# Download the xml2abc.py script
# Visit https://wim.vree.org/svgParse/xml2abc.html
xml2abc_url = input("Enter the xml2abc URL: ")
download_and_extract(xml2abc_url)
xml2abc_dir = xml2abc_url.split('/')[-1][:-4].replace(".py", "").replace("-", "_")

# Download the Wikifonia dataset
# Visit http://www.synthzone.com/forum/ubbthreads.php/topics/384909/Download_for_Wikifonia_all_6,6
wikifonia_url = input("Enter the Wikifonia URL: ")
download_and_extract(wikifonia_url)

wikimusictext = []
with open("wikimusictext.jsonl", "r", encoding="utf-8") as f:
    for line in f.readlines():
        wikimusictext.append(json.loads(line))

updated_wikimusictext = []

for song in tqdm(wikimusictext):
    filename = song["artist"] + " - " + song["title"] + ".mxl"
    filepath = os.path.join("Wikifonia", filename)
    song["music"] = load_music(filepath)
    updated_wikimusictext.append(song)

with open("wikimusictext.jsonl", "w", encoding="utf-8") as f:
    for song in updated_wikimusictext:
        f.write(json.dumps(song, ensure_ascii=False)+"\n")
```

By following these steps and running the provided code, you can efficiently access ABC notation music scores from the WikiMT dataset. Just ensure you have the correct download links of xml2abc and Wikifonia before starting. Enjoy your musical journey!


## Copyright Disclaimer
WikiMT was curated from publicly available sources, and all rights to the original content and data remain with their respective copyright holders. The dataset is made available for research and educational purposes, and any use, distribution, or modification of the dataset should comply with the terms and conditions set forth by the original data providers.

## BibTeX entry and citation info
```
@misc{wu2023clamp,
      title={CLaMP: Contrastive Language-Music Pre-training for Cross-Modal Symbolic Music Information Retrieval}, 
      author={Shangda Wu and Dingyao Yu and Xu Tan and Maosong Sun},
      year={2023},
      eprint={2304.11029},
      archivePrefix={arXiv},
      primaryClass={cs.SD}
}
```