JavaScript
x
8
1
def prepareData(dataset):
2
X,y=[],[]
3
for words in dataset:
4
X.append([features(untag(dataset), s) for s in range(len(dataset))])
5
y.append([tag for word,tag in sentences])
6
return X,y
7
ValueError: too many values to unpack (expected 2)
8
Here, dataset
is a list and s
is an integer value index of any object in the list.
Advertisement
Answer
The problem is with this line:
JavaScript
1
2
1
y.append([tag for word,tag in sentences])
2
You don’t tell us what sentences
is, but it’s apparent it’s not what it needs to be.
For example:
JavaScript
1
5
1
sentences = ['this is a test','a quick brown fox']
2
[tag for word,tag in sentences]
3
4
ValueError: too many values to unpack (expected 2)
5
If your sentences
was a list of two-tuples the code would work:
JavaScript
1
4
1
sentences = [('this is a test','tag1'),('a quick brown fox','tag2')]
2
In [15]: [tag for word,tag in sentences]
3
Out[15]: ['tag1', 'tag2']
4