## Cleaning Unlike the original dataset, the `func_code_string` column was updated to remove any comments and keep just the code. The original version can still be found in the `whole_func_string`. ```py import re def remove_comments_docstrings(code, language): if language == 'python': # Remove docstrings code = re.sub(r'"""(.*?)"""', '', code, flags=re.DOTALL) code = re.sub(r"'''(.*?)'''", '', code, flags=re.DOTALL) # Remove comments code = re.sub(r'#.*', '', code) elif language == 'java' or language == 'javascript': # Remove multiline comments code = re.sub(r'/\*.*?\*/', '', code, flags=re.DOTALL) # Remove single line comments code = re.sub(r'//.*', '', code) elif language == 'go': # Similar to Java/Javascript code = re.sub(r'/\*.*?\*/', '', code, flags=re.DOTALL) code = re.sub(r'//.*', '', code) elif language == 'ruby': # Remove multiline comments code = re.sub(r'=begin.*?=end', '', code, flags=re.DOTALL) # Remove single line comments code = re.sub(r'#.*', '', code) elif language == 'php': # Remove multiline comments code = re.sub(r'/\*.*?\*/', '', code, flags=re.DOTALL) # Remove single line and hash comments code = re.sub(r'//.*', '', code) code = re.sub(r'#.*', '', code) return code.strip() ``` The validity of that snippet can be tested with the following example: ```py # Example DataFrame import pandas as pd example = { 'language': ['python', 'java', 'javascript', 'go', 'ruby', 'php'], 'func_code_string': [ '"""Example docstring""" def foo(): # This is a comment\n return 1', '/** Java doc */ public class Test { // Comment\n public void method() {} }', '/* JS doc */ function test() { // Comment\n return true; }', '/* Go doc */ package main // Import comment\nimport "fmt"', '=begin Ruby doc =end def foo # Comment\n 1 + 1 end', '' ]} example_df = pd.DataFrame(example) example_df['cleaned_code'] = example_df.apply(lambda x: remove_comments_docstrings(x['func_code_string'], x['language']), axis=1) print(example_df[['language', 'cleaned_code']]) ```