Reputation: 4761
FILE COntent (test.txt):
Some specific column value: x192.168.1.2 blah blah
Some specific row value: y192.168.1.3 blah blah
Some specific field value: z192.168.1.4 blah blah
PIG QUERY:
A = LOAD 'test.txt' USING PigStorage('\t') AS (data1: chararray , data2: chararray , data3: chararray, data4: chararray , data5: chararray , data6: chararray);
B = foreach A generate data3, data4;
C = filter B by data3 matches 'row';
D = foreach C generate data4;
E = foreach D generate TOKENIZE(data4);
Output :
((value:), (y192.168.1.3))
Now i want to extract specific tuple in this output bag, say second tuple (y192.168.1.3). After this i want to extract the IP address. I am trying to do with UDFs but got stuck.
Upvotes: 1
Views: 15739
Reputation: 48
You could use Flatten Operator to flatten the bag and then use filter to extract the ip address.
E = foreach C generate flatten(TOKENIZE(data4));
F = filter E by $0 matches '.\\d+\\.\\d+\\.\\d+\\.\\d+'
Hope this helps
Upvotes: 3
Reputation: 1855
Here is what I would do.
PIG Script
A = LOAD 'test.txt' USING PigStorage('\t') AS (data1: chararray , data2: chararray , data3: chararray, data4: chararray , data5: chararray , data6: chararray);
B = foreach A generate data3, data4;
C = filter B by data3 matches 'row';
D = foreach C generate data4;
E = foreach D generate REGEX_EXTRACT($0,'value: .([0-9]+\\.[0-9]+\\.[0-9]+\\.[0-9]+).*', 1);
Output
(192.168.1.3)
If needed, you can use a more crazy regexp to extract the IP address: Extract ip addresses from Strings using regex
Upvotes: 3
Reputation: 176
public class someClass extends EvalFunc<String>
{
public String exec(Tuple input) throws IOException {
DataBag bag = (DataBag)input.get(0);
Iterator<Tuple> it = bag.iterator();
Tuple tup;
for(int i = 0; i < 2; i++)
{
tup = it.next();
}
String ipString = tup.get(0);
String ip = //get ip from string with a regex
return ip;
}
}
of course you should add some input checks (null inputs, bag sized 1, etc) and secure the code.
Upvotes: 1