repo_url
stringlengths
24
98
language
stringclasses
1 value
source_file_path
stringlengths
14
273
test_file_path
stringlengths
18
277
source_fn_block
stringlengths
54
12k
source_fn_name
stringlengths
1
76
test_fn_block
stringlengths
32
26.8k
test_fn_name
stringlengths
0
170
source_fn_call_exps
sequencelengths
0
408
test_fn_call_exps
sequencelengths
0
249
test_file_additional_context
dict
source_file_additional_context
dict
prompt
listlengths
6
6
response
listlengths
1
1
https://github.com/eiichiro/prodigy
java
prodigy-core/src/main/java/io/eiichiro/prodigy/Prodigy.java
prodigy-core/src/test/java/io/eiichiro/prodigy/ProdigyTest.java
public static void eject(String id) { if (id == null) { throw new IllegalArgumentException("Parameter 'id' is required"); } log.info("Ejecting fault id [" + id + "]"); boolean result = container.scheduler().unschedule(id); if (!result) { throw new IllegalArgumentException("Fault id [" + id + "] not found"); } log.info("Fault id [" + id + "] ejected"); }
eject
@Test public void testEject() { // Parameter 'id' is not specified - IllegalArgumentException try { Prodigy.eject(null); fail(); } catch (IllegalArgumentException e) { assertThat(e.getMessage(), is("Parameter 'id' is required")); } // Scheduler returns false - IllegalArgumentException Scheduler scheduler = mock(Scheduler.class); doReturn(false).when(scheduler).unschedule(anyString()); Prodigy.container(new Container(scheduler, mock(Repository.class))); try { Prodigy.eject("fault-id-1"); fail(); } catch (IllegalArgumentException e) { assertThat(e.getMessage(), is("Fault id [fault-id-1] not found")); } // No exception scheduler = mock(Scheduler.class); doReturn(true).when(scheduler).unschedule(anyString()); Prodigy.container(new Container(scheduler, mock(Repository.class))); Prodigy.eject("fault-id-2"); }
testEject
[ "info", "unschedule", "scheduler", "info" ]
[ "eject", "fail", "assertThat", "getMessage", "is", "mock", "unschedule", "when", "doReturn", "anyString", "container", "mock", "eject", "fail", "assertThat", "getMessage", "is", "mock", "unschedule", "when", "doReturn", "anyString", "container", "mock", "eject" ]
{ "class_fields": "", "class_name": "ProdigyTest" }
{ "class_fields": "private static Log log = LogFactory.getLog(Prodigy.class);\nprivate static Configuration configuration;\nprivate static Container container;", "class_name": "Prodigy", "method_signatures": "private Prodigy()\nstatic Configuration configuration()\nstatic void configuration(Configuration configuration)\nstatic Container container()\nstatic void container(Container container)\n@SuppressWarnings(\"unchecked\") public static T adapt(T target)\npublic static String inject(String name, String params)\npublic static void eject(String id)\npublic static Map<String, Class<? extends Fault>> faults()\npublic static Entry status(String id)\npublic static List<Entry> status()\npublic static void push(String name, InputStream jar)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: prodigy-core/src/main/java/io/eiichiro/prodigy/Prodigy.java for which to generate the test case is:\nclass_name: Prodigy\n\nclass_fields: private static Log log = LogFactory.getLog(Prodigy.class);\nprivate static Configuration configuration;\nprivate static Container container;\n\nmethod_signatures: private Prodigy()\nstatic Configuration configuration()\nstatic void configuration(Configuration configuration)\nstatic Container container()\nstatic void container(Container container)\n@SuppressWarnings(\"unchecked\") public static T adapt(T target)\npublic static String inject(String name, String params)\npublic static void eject(String id)\npublic static Map<String, Class<? extends Fault>> faults()\npublic static Entry status(String id)\npublic static List<Entry> status()\npublic static void push(String name, InputStream jar)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: ProdigyTest\n\nclass_fields: \n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file prodigy-core/src/main/java/io/eiichiro/prodigy/Prodigy.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public static void eject(String id) {\n if (id == null) {\n throw new IllegalArgumentException(\"Parameter 'id' is required\");\n }\n\n log.info(\"Ejecting fault id [\" + id + \"]\");\n boolean result = container.scheduler().unschedule(id);\n\n if (!result) {\n throw new IllegalArgumentException(\"Fault id [\" + id + \"] not found\");\n }\n\n log.info(\"Fault id [\" + id + \"] ejected\");\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n prodigy-core/src/test/java/io/eiichiro/prodigy/ProdigyTest.java\n </TESTFILE7041>\n @Test\n\tpublic void testEject() {\n\t\t// Parameter 'id' is not specified - IllegalArgumentException\n\t\ttry {\n\t\t\tProdigy.eject(null);\n\t\t\tfail();\n\t\t} catch (IllegalArgumentException e) {\n\t\t\tassertThat(e.getMessage(), is(\"Parameter 'id' is required\"));\n\t\t}\n\n\t\t// Scheduler returns false - IllegalArgumentException\n\t\tScheduler scheduler = mock(Scheduler.class);\n\t\tdoReturn(false).when(scheduler).unschedule(anyString());\n\t\tProdigy.container(new Container(scheduler, mock(Repository.class)));\n\n\t\ttry {\n\t\t\tProdigy.eject(\"fault-id-1\");\n\t\t\tfail();\n\t\t} catch (IllegalArgumentException e) {\n\t\t\tassertThat(e.getMessage(), is(\"Fault id [fault-id-1] not found\"));\n\t\t}\n\n\t\t// No exception\n\t\tscheduler = mock(Scheduler.class);\n\t\tdoReturn(true).when(scheduler).unschedule(anyString());\n\t\tProdigy.container(new Container(scheduler, mock(Repository.class)));\n\t\tProdigy.eject(\"fault-id-2\");\n\t}\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/universum-studios/android_widget_adapters
java
library-core/src/main/java/universum/studios/android/widget/adapter/DataSetListeners.java
library-core/src/test/java/universum/studios/android/widget/adapter/DataSetListenersTest.java
public void notifyDataSetChanged() { if (listeners != null && !listeners.isEmpty()) { for (final OnDataSetListener listener : listeners) { listener.onDataSetChanged(); } } }
notifyDataSetChanged
@Test public void testNotifyDataSetChangedWithoutRegisteredListeners() { // Arrange: final DataSetListeners listeners = new DataSetListeners(mock(DataSet.class)); // Act: // Only ensure that the listeners registry does not throw a NullPointerException exception. listeners.notifyDataSetChanged(); }
testNotifyDataSetChangedWithoutRegisteredListeners
[ "isEmpty", "onDataSetChanged" ]
[ "mock", "notifyDataSetChanged" ]
{ "class_fields": "private static final int DATA_SET_ACTION = 0x01;", "class_name": "DataSetListenersTest extends LocalTestCase" }
{ "class_fields": "private final DataSet dataSet;\nprivate List<OnDataSetListener> listeners;\nprivate List<OnDataSetActionListener> actionListeners;", "class_name": "DataSetListeners", "method_signatures": "public DataSetListeners(@NonNull final DataSet dataSet)\npublic void registerOnDataSetListener(@NonNull final OnDataSetListener listener)\npublic void notifyDataSetChanged()\npublic void notifyDataSetInvalidated()\npublic void unregisterOnDataSetListener(@NonNull final OnDataSetListener listener)\npublic void registerOnDataSetActionListener(@NonNull final OnDataSetActionListener listener)\npublic boolean notifyDataSetActionSelected(final int action, final int position, final Object payload)\npublic void unregisterOnDataSetActionListener(@NonNull final OnDataSetActionListener listener)\npublic boolean isEmpty()" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: library-core/src/main/java/universum/studios/android/widget/adapter/DataSetListeners.java for which to generate the test case is:\nclass_name: DataSetListeners\n\nclass_fields: private final DataSet dataSet;\nprivate List<OnDataSetListener> listeners;\nprivate List<OnDataSetActionListener> actionListeners;\n\nmethod_signatures: public DataSetListeners(@NonNull final DataSet dataSet)\npublic void registerOnDataSetListener(@NonNull final OnDataSetListener listener)\npublic void notifyDataSetChanged()\npublic void notifyDataSetInvalidated()\npublic void unregisterOnDataSetListener(@NonNull final OnDataSetListener listener)\npublic void registerOnDataSetActionListener(@NonNull final OnDataSetActionListener listener)\npublic boolean notifyDataSetActionSelected(final int action, final int position, final Object payload)\npublic void unregisterOnDataSetActionListener(@NonNull final OnDataSetActionListener listener)\npublic boolean isEmpty()\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: DataSetListenersTest extends LocalTestCase\n\nclass_fields: private static final int DATA_SET_ACTION = 0x01;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file library-core/src/main/java/universum/studios/android/widget/adapter/DataSetListeners.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public void notifyDataSetChanged() {\n\t\tif (listeners != null && !listeners.isEmpty()) {\n\t\t\tfor (final OnDataSetListener listener : listeners) {\n\t\t\t\tlistener.onDataSetChanged();\n\t\t\t}\n\t\t}\n\t}\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n library-core/src/test/java/universum/studios/android/widget/adapter/DataSetListenersTest.java\n </TESTFILE7041>\n @Test public void testNotifyDataSetChangedWithoutRegisteredListeners() {\n\t\t// Arrange:\n\t\tfinal DataSetListeners listeners = new DataSetListeners(mock(DataSet.class));\n\t\t// Act:\n\t\t// Only ensure that the listeners registry does not throw a NullPointerException exception.\n\t\tlisteners.notifyDataSetChanged();\n\t}\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/CodeQInvest/codeq-invest
java
quality-assessment/src/main/java/org/codeqinvest/quality/analysis/DefaultQualityAnalyzerService.java
quality-assessment/src/test/java/org/codeqinvest/quality/analysis/DefaultQualityAnalyzerServiceTest.java
@Override public QualityAnalysis analyzeProject(Project project) { try { ViolationsAnalysisResult violationsAnalysisResult = violationsCalculatorService.calculateAllViolation(project); if (!violationsAnalysisResult.isSuccessful()) { log.error("Quality analysis for project {} failed due '{}'", project.getName(), violationsAnalysisResult.getFailureReason().get()); return qualityAnalysisRepository.save(QualityAnalysis.failed(project, zeroCostsForEachViolation(violationsAnalysisResult), violationsAnalysisResult.getFailureReason().get())); } log.info("Checking the availability of the SCM system {} for project {}", project.getScmSettings(), project.getName()); if (!scmAvailabilityCheckerServiceFactory.create(project.getScmSettings()).isAvailable(project.getScmSettings())) { return qualityAnalysisRepository.save(QualityAnalysis.failed(project, zeroCostsForEachViolation(violationsAnalysisResult), "The scm system is not available.")); } QualityAnalysis qualityAnalysis = addChangeProbabilityToEachArtifact(project, violationsAnalysisResult); if (!qualityAnalysis.isSuccessful()) { return qualityAnalysisRepository.save(qualityAnalysis); } qualityAnalysis = addSecureChangeProbabilityToEachArtifact(project, qualityAnalysis); log.info("Quality analysis succeeded for project {} with {} violations.", project.getName(), violationsAnalysisResult.getViolations().size()); return qualityAnalysisRepository.save(qualityAnalysis); } catch (Exception e) { String errorMessage = "Unexpected error occured during quality analysis!"; log.error(errorMessage, e); return QualityAnalysis.failed(project, new ArrayList<QualityViolation>(), errorMessage); } }
analyzeProject
@Test public void failedAnalysisWhenScmSystemIsNotAvailable() { // set up scm system that is not available ScmAvailabilityCheckerService notAvailableScmSystem = mock(ScmAvailabilityCheckerService.class); when(notAvailableScmSystem.isAvailable(any(ScmConnectionSettings.class))).thenReturn(false); ScmAvailabilityCheckerServiceFactory notAvailableCheckerServiceFactory = mock(ScmAvailabilityCheckerServiceFactory.class); when(notAvailableCheckerServiceFactory.create(any(ScmConnectionSettings.class))).thenReturn(notAvailableScmSystem); ViolationsCalculatorService violationsCalculatorService = mock(ViolationsCalculatorService.class); when(violationsCalculatorService.calculateAllViolation(any(Project.class))) .thenReturn(ViolationsAnalysisResult.createSuccessfulAnalysis(Collections.<ViolationOccurence>emptyList())); QualityAnalyzerService qualityAnalyzerService = new DefaultQualityAnalyzerService(violationsCalculatorService, notAvailableCheckerServiceFactory, mock(CodeChangeProbabilityCalculatorFactory.class), secureChangeProbabilityCalculator, costsCalculator, qualityAnalysisRepository); QualityAnalysis analysis = qualityAnalyzerService.analyzeProject(project); assertThat(analysis.isSuccessful()).isFalse(); }
failedAnalysisWhenScmSystemIsNotAvailable
[ "calculateAllViolation", "isSuccessful", "error", "getName", "get", "getFailureReason", "save", "failed", "zeroCostsForEachViolation", "get", "getFailureReason", "info", "getScmSettings", "getName", "isAvailable", "create", "getScmSettings", "getScmSettings", "save", "failed", "zeroCostsForEachViolation", "addChangeProbabilityToEachArtifact", "isSuccessful", "save", "addSecureChangeProbabilityToEachArtifact", "info", "getName", "size", "getViolations", "save", "error", "failed" ]
[ "mock", "thenReturn", "when", "isAvailable", "any", "mock", "thenReturn", "when", "create", "any", "mock", "thenReturn", "when", "calculateAllViolation", "any", "createSuccessfulAnalysis", "emptyList", "mock", "analyzeProject", "isFalse", "assertThat", "isSuccessful" ]
{ "class_fields": "private QualityProfile profile;\nprivate QualityRequirement firstRequirement;\nprivate QualityRequirement secondRequirement;\nprivate Project project;\nprivate ScmAvailabilityCheckerServiceFactory scmAvailabilityCheckerServiceFactory;\nprivate SecureChangeProbabilityCalculator secureChangeProbabilityCalculator;\nprivate QualityViolationCostsCalculator costsCalculator;\nprivate QualityAnalysisRepository qualityAnalysisRepository;", "class_name": "DefaultQualityAnalyzerServiceTest" }
{ "class_fields": "private final ViolationsCalculatorService violationsCalculatorService;\nprivate final ScmAvailabilityCheckerServiceFactory scmAvailabilityCheckerServiceFactory;\nprivate final CodeChangeProbabilityCalculatorFactory codeChangeProbabilityCalculatorFactory;\nprivate final SecureChangeProbabilityCalculator secureChangeProbabilityCalculator;\nprivate final QualityViolationCostsCalculator costsCalculator;\nprivate final QualityAnalysisRepository qualityAnalysisRepository;", "class_name": "DefaultQualityAnalyzerService implements QualityAnalyzerService", "method_signatures": "@Autowired public DefaultQualityAnalyzerService(ViolationsCalculatorService violationsCalculatorService,\n ScmAvailabilityCheckerServiceFactory scmAvailabilityCheckerServiceFactory,\n CodeChangeProbabilityCalculatorFactory codeChangeProbabilityCalculatorFactory,\n SecureChangeProbabilityCalculator secureChangeProbabilityCalculator,\n QualityViolationCostsCalculator costsCalculator,\n QualityAnalysisRepository qualityAnalysisRepository)\n@Override public QualityAnalysis analyzeProject(Project project)\nprivate QualityAnalysis addChangeProbabilityToEachArtifact(Project project, ViolationsAnalysisResult violationsAnalysisResult)\nprivate QualityAnalysis addSecureChangeProbabilityToEachArtifact(Project project, QualityAnalysis qualityAnalysis)\nprivate void logFailedAnalysis(Project project, Exception e)\nprivate List<QualityViolation> calculateCostsForEachViolation(SonarConnectionSettings sonarConnectionSettings, ViolationsAnalysisResult violationsAnalysisResult)\nprivate List<QualityViolation> zeroCostsForEachViolation(ViolationsAnalysisResult violationsAnalysisResult)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: quality-assessment/src/main/java/org/codeqinvest/quality/analysis/DefaultQualityAnalyzerService.java for which to generate the test case is:\nclass_name: DefaultQualityAnalyzerService implements QualityAnalyzerService\n\nclass_fields: private final ViolationsCalculatorService violationsCalculatorService;\nprivate final ScmAvailabilityCheckerServiceFactory scmAvailabilityCheckerServiceFactory;\nprivate final CodeChangeProbabilityCalculatorFactory codeChangeProbabilityCalculatorFactory;\nprivate final SecureChangeProbabilityCalculator secureChangeProbabilityCalculator;\nprivate final QualityViolationCostsCalculator costsCalculator;\nprivate final QualityAnalysisRepository qualityAnalysisRepository;\n\nmethod_signatures: @Autowired public DefaultQualityAnalyzerService(ViolationsCalculatorService violationsCalculatorService,\n ScmAvailabilityCheckerServiceFactory scmAvailabilityCheckerServiceFactory,\n CodeChangeProbabilityCalculatorFactory codeChangeProbabilityCalculatorFactory,\n SecureChangeProbabilityCalculator secureChangeProbabilityCalculator,\n QualityViolationCostsCalculator costsCalculator,\n QualityAnalysisRepository qualityAnalysisRepository)\n@Override public QualityAnalysis analyzeProject(Project project)\nprivate QualityAnalysis addChangeProbabilityToEachArtifact(Project project, ViolationsAnalysisResult violationsAnalysisResult)\nprivate QualityAnalysis addSecureChangeProbabilityToEachArtifact(Project project, QualityAnalysis qualityAnalysis)\nprivate void logFailedAnalysis(Project project, Exception e)\nprivate List<QualityViolation> calculateCostsForEachViolation(SonarConnectionSettings sonarConnectionSettings, ViolationsAnalysisResult violationsAnalysisResult)\nprivate List<QualityViolation> zeroCostsForEachViolation(ViolationsAnalysisResult violationsAnalysisResult)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: DefaultQualityAnalyzerServiceTest\n\nclass_fields: private QualityProfile profile;\nprivate QualityRequirement firstRequirement;\nprivate QualityRequirement secondRequirement;\nprivate Project project;\nprivate ScmAvailabilityCheckerServiceFactory scmAvailabilityCheckerServiceFactory;\nprivate SecureChangeProbabilityCalculator secureChangeProbabilityCalculator;\nprivate QualityViolationCostsCalculator costsCalculator;\nprivate QualityAnalysisRepository qualityAnalysisRepository;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file quality-assessment/src/main/java/org/codeqinvest/quality/analysis/DefaultQualityAnalyzerService.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public QualityAnalysis analyzeProject(Project project) {\n try {\n ViolationsAnalysisResult violationsAnalysisResult = violationsCalculatorService.calculateAllViolation(project);\n if (!violationsAnalysisResult.isSuccessful()) {\n log.error(\"Quality analysis for project {} failed due '{}'\", project.getName(), violationsAnalysisResult.getFailureReason().get());\n return qualityAnalysisRepository.save(QualityAnalysis.failed(project,\n zeroCostsForEachViolation(violationsAnalysisResult),\n violationsAnalysisResult.getFailureReason().get()));\n }\n\n log.info(\"Checking the availability of the SCM system {} for project {}\", project.getScmSettings(), project.getName());\n if (!scmAvailabilityCheckerServiceFactory.create(project.getScmSettings()).isAvailable(project.getScmSettings())) {\n return qualityAnalysisRepository.save(QualityAnalysis.failed(project,\n zeroCostsForEachViolation(violationsAnalysisResult), \"The scm system is not available.\"));\n }\n\n QualityAnalysis qualityAnalysis = addChangeProbabilityToEachArtifact(project, violationsAnalysisResult);\n if (!qualityAnalysis.isSuccessful()) {\n return qualityAnalysisRepository.save(qualityAnalysis);\n }\n\n qualityAnalysis = addSecureChangeProbabilityToEachArtifact(project, qualityAnalysis);\n log.info(\"Quality analysis succeeded for project {} with {} violations.\", project.getName(), violationsAnalysisResult.getViolations().size());\n return qualityAnalysisRepository.save(qualityAnalysis);\n } catch (Exception e) {\n String errorMessage = \"Unexpected error occured during quality analysis!\";\n log.error(errorMessage, e);\n return QualityAnalysis.failed(project, new ArrayList<QualityViolation>(), errorMessage);\n }\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n quality-assessment/src/test/java/org/codeqinvest/quality/analysis/DefaultQualityAnalyzerServiceTest.java\n </TESTFILE7041>\n @Test\n public void failedAnalysisWhenScmSystemIsNotAvailable() {\n // set up scm system that is not available\n ScmAvailabilityCheckerService notAvailableScmSystem = mock(ScmAvailabilityCheckerService.class);\n when(notAvailableScmSystem.isAvailable(any(ScmConnectionSettings.class))).thenReturn(false);\n ScmAvailabilityCheckerServiceFactory notAvailableCheckerServiceFactory = mock(ScmAvailabilityCheckerServiceFactory.class);\n when(notAvailableCheckerServiceFactory.create(any(ScmConnectionSettings.class))).thenReturn(notAvailableScmSystem);\n\n ViolationsCalculatorService violationsCalculatorService = mock(ViolationsCalculatorService.class);\n when(violationsCalculatorService.calculateAllViolation(any(Project.class)))\n .thenReturn(ViolationsAnalysisResult.createSuccessfulAnalysis(Collections.<ViolationOccurence>emptyList()));\n\n QualityAnalyzerService qualityAnalyzerService = new DefaultQualityAnalyzerService(violationsCalculatorService,\n notAvailableCheckerServiceFactory, mock(CodeChangeProbabilityCalculatorFactory.class),\n secureChangeProbabilityCalculator, costsCalculator, qualityAnalysisRepository);\n\n QualityAnalysis analysis = qualityAnalyzerService.analyzeProject(project);\n assertThat(analysis.isSuccessful()).isFalse();\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/eiichiro/prodigy
java
prodigy-examples/sushi/src/main/java/prodigy/examples/sushi/OrderHandler.java
prodigy-examples/sushi/src/test/java/prodigy/examples/sushi/OrderHandlerTest.java
public APIGatewayProxyResponseEvent handleRequest(APIGatewayProxyRequestEvent input, Context context) { ObjectMapper mapper = new ObjectMapper(); Map<String, String> params; try { params = mapper.readValue(input.getBody(), new TypeReference<Map<String, String>>() {}); } catch (JsonParseException e) { return new APIGatewayProxyResponseEvent().withStatusCode(400).withBody(e.getMessage()); } catch (IOException e) { return new APIGatewayProxyResponseEvent().withStatusCode(500).withBody(e.getMessage()); } String name = params.get("name"); Map<String, AttributeValue> key = new HashMap<>(); key.put("name", new AttributeValue().withS(name)); String condition = "stock > :zero"; String update = "SET #stock = #stock - :stock"; Map<String, String> names = new HashMap<>(); names.put("#stock", "stock"); Map<String, AttributeValue> values = new HashMap<>(); values.put(":stock", new AttributeValue().withN(String.valueOf(1))); values.put(":zero", new AttributeValue().withN(String.valueOf(0))); UpdateItemRequest request = new UpdateItemRequest().withTableName("item").withKey(key) .withConditionExpression(condition).withUpdateExpression(update).withExpressionAttributeNames(names) .withExpressionAttributeValues(values); try { dynamoDB.updateItem(request); } catch (ConditionalCheckFailedException e) { return new APIGatewayProxyResponseEvent().withStatusCode(400).withBody(name + " is out of stock"); } catch (AmazonDynamoDBException e) { // 'dynamodb-error' fault affects here. // In-place fallback // name = "gizzard shad"; return new APIGatewayProxyResponseEvent().withStatusCode(500).withBody("HTTP " + e.getStatusCode() + " " + e.getErrorCode() + " in " + e.getServiceName() + "; " + e.getMessage()); } return new APIGatewayProxyResponseEvent().withStatusCode(200).withBody("{\"" + name + "\" : 1}"); }
handleRequest
@Test public void testHandleRequest() { // Invalid JSON - APIGatewayProxyResponseEvent with status code 400 OrderHandler handler = new OrderHandler(mock(AmazonDynamoDB.class)); APIGatewayProxyRequestEvent input = new APIGatewayProxyRequestEvent(); input.setBody("invalid : json"); APIGatewayProxyResponseEvent output = handler.handleRequest(input, null); assertThat(output.getStatusCode(), is(400)); // AmazonDynamoDB client throws ConditionalCheckFailedException - APIGatewayProxyResponseEvent with status code 400 AmazonDynamoDB dynamoDB = mock(AmazonDynamoDB.class); doThrow(new ConditionalCheckFailedException("")).when(dynamoDB).updateItem(ArgumentMatchers.any(UpdateItemRequest.class)); handler = new OrderHandler(dynamoDB); input = new APIGatewayProxyRequestEvent(); input.setBody("{\"name\" : \"salmon\"}"); output = handler.handleRequest(input, null); assertThat(output.getStatusCode(), is(400)); assertThat(output.getBody(), is("salmon is out of stock")); // AmazonDynamoDB client throws AmazonDynamoDBException - APIGatewayProxyResponseEvent with status code 500 dynamoDB = mock(AmazonDynamoDB.class); doThrow(new AmazonDynamoDBException("")).when(dynamoDB).updateItem(ArgumentMatchers.any(UpdateItemRequest.class)); handler = new OrderHandler(dynamoDB); input = new APIGatewayProxyRequestEvent(); input.setBody("{\"name\" : \"salmon\"}"); output = handler.handleRequest(input, null); assertThat(output.getStatusCode(), is(500)); // No exception - APIGatewayProxyResponseEvent with status code 200 dynamoDB = mock(AmazonDynamoDB.class); doAnswer((i) -> { UpdateItemRequest request = i.getArgument(0); assertThat(request.getTableName(), is("item")); assertThat(request.getKey().get("name").getS(), is("salmon")); assertThat(request.getConditionExpression(), is("stock > :zero")); assertThat(request.getUpdateExpression(), is("SET #stock = #stock - :stock")); assertThat(request.getExpressionAttributeNames().get("#stock"), is("stock")); assertThat(request.getExpressionAttributeValues().get(":stock").getN(), is("1")); assertThat(request.getExpressionAttributeValues().get(":zero").getN(), is("0")); return null; }).when(dynamoDB).updateItem(ArgumentMatchers.any(UpdateItemRequest.class)); handler = new OrderHandler(dynamoDB); input = new APIGatewayProxyRequestEvent(); input.setBody("{\"name\" : \"salmon\"}"); output = handler.handleRequest(input, null); assertThat(output.getStatusCode(), is(200)); assertThat(output.getBody(), is("{\"salmon\" : 1}")); }
testHandleRequest
[ "readValue", "getBody", "withBody", "withStatusCode", "getMessage", "withBody", "withStatusCode", "getMessage", "get", "put", "withS", "put", "put", "withN", "valueOf", "put", "withN", "valueOf", "withExpressionAttributeValues", "withExpressionAttributeNames", "withUpdateExpression", "withConditionExpression", "withKey", "withTableName", "updateItem", "withBody", "withStatusCode", "withBody", "withStatusCode", "getStatusCode", "getErrorCode", "getServiceName", "getMessage", "withBody", "withStatusCode" ]
[ "mock", "setBody", "handleRequest", "assertThat", "getStatusCode", "is", "mock", "updateItem", "when", "doThrow", "any", "setBody", "handleRequest", "assertThat", "getStatusCode", "is", "assertThat", "getBody", "is", "mock", "updateItem", "when", "doThrow", "any", "setBody", "handleRequest", "assertThat", "getStatusCode", "is", "mock", "updateItem", "when", "doAnswer", "getArgument", "assertThat", "getTableName", "is", "assertThat", "getS", "get", "getKey", "is", "assertThat", "getConditionExpression", "is", "assertThat", "getUpdateExpression", "is", "assertThat", "get", "getExpressionAttributeNames", "is", "assertThat", "getN", "get", "getExpressionAttributeValues", "is", "assertThat", "getN", "get", "getExpressionAttributeValues", "is", "any", "setBody", "handleRequest", "assertThat", "getStatusCode", "is", "assertThat", "getBody", "is" ]
{ "class_fields": "", "class_name": "OrderHandlerTest" }
{ "class_fields": "private AmazonDynamoDB dynamoDB;", "class_name": "OrderHandler implements RequestHandler<APIGatewayProxyRequestEvent, APIGatewayProxyResponseEvent>", "method_signatures": "public OrderHandler()\npublic OrderHandler(AmazonDynamoDB dynamoDB)\npublic APIGatewayProxyResponseEvent handleRequest(APIGatewayProxyRequestEvent input, Context context)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: prodigy-examples/sushi/src/main/java/prodigy/examples/sushi/OrderHandler.java for which to generate the test case is:\nclass_name: OrderHandler implements RequestHandler<APIGatewayProxyRequestEvent, APIGatewayProxyResponseEvent>\n\nclass_fields: private AmazonDynamoDB dynamoDB;\n\nmethod_signatures: public OrderHandler()\npublic OrderHandler(AmazonDynamoDB dynamoDB)\npublic APIGatewayProxyResponseEvent handleRequest(APIGatewayProxyRequestEvent input, Context context)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: OrderHandlerTest\n\nclass_fields: \n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file prodigy-examples/sushi/src/main/java/prodigy/examples/sushi/OrderHandler.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public APIGatewayProxyResponseEvent handleRequest(APIGatewayProxyRequestEvent input, Context context) {\n ObjectMapper mapper = new ObjectMapper();\n Map<String, String> params;\n\n try {\n params = mapper.readValue(input.getBody(), new TypeReference<Map<String, String>>() {});\n } catch (JsonParseException e) {\n return new APIGatewayProxyResponseEvent().withStatusCode(400).withBody(e.getMessage());\n } catch (IOException e) {\n return new APIGatewayProxyResponseEvent().withStatusCode(500).withBody(e.getMessage());\n }\n\n String name = params.get(\"name\");\n Map<String, AttributeValue> key = new HashMap<>();\n key.put(\"name\", new AttributeValue().withS(name));\n String condition = \"stock > :zero\";\n String update = \"SET #stock = #stock - :stock\";\n Map<String, String> names = new HashMap<>();\n names.put(\"#stock\", \"stock\");\n Map<String, AttributeValue> values = new HashMap<>();\n values.put(\":stock\", new AttributeValue().withN(String.valueOf(1)));\n values.put(\":zero\", new AttributeValue().withN(String.valueOf(0)));\n UpdateItemRequest request = new UpdateItemRequest().withTableName(\"item\").withKey(key)\n .withConditionExpression(condition).withUpdateExpression(update).withExpressionAttributeNames(names)\n .withExpressionAttributeValues(values);\n\n try {\n dynamoDB.updateItem(request);\n } catch (ConditionalCheckFailedException e) {\n return new APIGatewayProxyResponseEvent().withStatusCode(400).withBody(name + \" is out of stock\");\n } catch (AmazonDynamoDBException e) {\n // 'dynamodb-error' fault affects here.\n // In-place fallback\n // name = \"gizzard shad\";\n return new APIGatewayProxyResponseEvent().withStatusCode(500).withBody(\"HTTP \" + e.getStatusCode() + \" \"\n + e.getErrorCode() + \" in \" + e.getServiceName() + \"; \" + e.getMessage());\n }\n\n return new APIGatewayProxyResponseEvent().withStatusCode(200).withBody(\"{\\\"\" + name + \"\\\" : 1}\");\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n prodigy-examples/sushi/src/test/java/prodigy/examples/sushi/OrderHandlerTest.java\n </TESTFILE7041>\n @Test\n\tpublic void testHandleRequest() {\n\t\t// Invalid JSON - APIGatewayProxyResponseEvent with status code 400\n\t\tOrderHandler handler = new OrderHandler(mock(AmazonDynamoDB.class));\n\t\tAPIGatewayProxyRequestEvent input = new APIGatewayProxyRequestEvent();\n\t\tinput.setBody(\"invalid : json\");\n\t\tAPIGatewayProxyResponseEvent output = handler.handleRequest(input, null);\n\t\tassertThat(output.getStatusCode(), is(400));\n\n\t\t// AmazonDynamoDB client throws ConditionalCheckFailedException - APIGatewayProxyResponseEvent with status code 400\n\t\tAmazonDynamoDB dynamoDB = mock(AmazonDynamoDB.class);\n\t\tdoThrow(new ConditionalCheckFailedException(\"\")).when(dynamoDB).updateItem(ArgumentMatchers.any(UpdateItemRequest.class));\n\t\thandler = new OrderHandler(dynamoDB);\n\t\tinput = new APIGatewayProxyRequestEvent();\n\t\tinput.setBody(\"{\\\"name\\\" : \\\"salmon\\\"}\");\n\t\toutput = handler.handleRequest(input, null);\n\t\tassertThat(output.getStatusCode(), is(400));\n\t\tassertThat(output.getBody(), is(\"salmon is out of stock\"));\n\t\t\n\t\t// AmazonDynamoDB client throws AmazonDynamoDBException - APIGatewayProxyResponseEvent with status code 500\n\t\tdynamoDB = mock(AmazonDynamoDB.class);\n\t\tdoThrow(new AmazonDynamoDBException(\"\")).when(dynamoDB).updateItem(ArgumentMatchers.any(UpdateItemRequest.class));\n\t\thandler = new OrderHandler(dynamoDB);\n\t\tinput = new APIGatewayProxyRequestEvent();\n\t\tinput.setBody(\"{\\\"name\\\" : \\\"salmon\\\"}\");\n\t\toutput = handler.handleRequest(input, null);\n\t\tassertThat(output.getStatusCode(), is(500));\n\n\t\t// No exception - APIGatewayProxyResponseEvent with status code 200\n\t\tdynamoDB = mock(AmazonDynamoDB.class);\n\t\tdoAnswer((i) -> {\n\t\t\tUpdateItemRequest request = i.getArgument(0);\n\t\t\tassertThat(request.getTableName(), is(\"item\"));\n\t\t\tassertThat(request.getKey().get(\"name\").getS(), is(\"salmon\"));\n\t\t\tassertThat(request.getConditionExpression(), is(\"stock > :zero\"));\n\t\t\tassertThat(request.getUpdateExpression(), is(\"SET #stock = #stock - :stock\"));\n\t\t\tassertThat(request.getExpressionAttributeNames().get(\"#stock\"), is(\"stock\"));\n\t\t\tassertThat(request.getExpressionAttributeValues().get(\":stock\").getN(), is(\"1\"));\n\t\t\tassertThat(request.getExpressionAttributeValues().get(\":zero\").getN(), is(\"0\"));\n\t\t\treturn null;\n\t\t}).when(dynamoDB).updateItem(ArgumentMatchers.any(UpdateItemRequest.class));\n\t\thandler = new OrderHandler(dynamoDB);\n\t\tinput = new APIGatewayProxyRequestEvent();\n\t\tinput.setBody(\"{\\\"name\\\" : \\\"salmon\\\"}\");\n\t\toutput = handler.handleRequest(input, null);\n\t\tassertThat(output.getStatusCode(), is(200));\n\t\tassertThat(output.getBody(), is(\"{\\\"salmon\\\" : 1}\"));\n\t}\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/eiichiro/prodigy
java
prodigy-core/src/main/java/io/eiichiro/prodigy/StatusHandler.java
prodigy-core/src/test/java/io/eiichiro/prodigy/StatusHandlerTest.java
@Override public APIGatewayProxyResponseEvent handleRequest(APIGatewayProxyRequestEvent input, Context context) { APIGatewayProxyResponseEvent output = new APIGatewayProxyResponseEvent(); try { Map<String, String> queryStringParameters = input.getQueryStringParameters(); String id = null; if (queryStringParameters != null) { id = queryStringParameters.get("id"); } Object response = (id == null) ? Prodigy.status() : Prodigy.status(id); ObjectMapper mapper = new ObjectMapper(); return output.withStatusCode(200).withBody(mapper.writeValueAsString(response)); } catch (IllegalArgumentException e) { log.warn(e.getMessage(), e); return output.withStatusCode(400).withBody(e.getMessage()); } catch (Exception e) { log.error(e.getMessage(), e); return output.withStatusCode(500).withBody(e.getMessage()); } }
handleRequest
@Test public void testHandleRequest() { // Prodigy throws IllegalArgumentException - APIGatewayProxyResponseEvent with status code 400 StatusHandler handler = new StatusHandler(); Scheduler scheduler = mock(Scheduler.class); doReturn(null).when(scheduler).get(anyString()); Prodigy.container(new Container(scheduler, mock(Repository.class))); APIGatewayProxyRequestEvent input = new APIGatewayProxyRequestEvent(); Map<String, String> queryStringParameters = new HashMap<>(); queryStringParameters.put("id", "fault-id-2"); input.setQueryStringParameters(queryStringParameters); APIGatewayProxyResponseEvent output = handler.handleRequest(input, null); assertThat(output.getStatusCode(), is(400)); assertThat(output.getBody(), is("Fault id [fault-id-2] not found")); // Prodigy throws Exception - APIGatewayProxyResponseEvent with status code 500 scheduler = mock(Scheduler.class); doThrow(new IllegalStateException("hello")).when(scheduler).list(); Prodigy.container(new Container(scheduler, mock(Repository.class))); output = handler.handleRequest(new APIGatewayProxyRequestEvent(), null); assertThat(output.getStatusCode(), is(500)); assertThat(output.getBody(), is("hello")); // 'id' is not specified - APIGatewayProxyResponseEvent with JSON list and status code 200 scheduler = mock(Scheduler.class); List<Entry> entries = new ArrayList<>(); Entry entry = new Entry("fault-id-1", "fault-1", "ACTIVE", "{}"); entries.add(entry); doReturn(entries).when(scheduler).list(); Prodigy.container(new Container(scheduler, mock(Repository.class))); output = handler.handleRequest(new APIGatewayProxyRequestEvent(), null); assertThat(output.getStatusCode(), is(200)); assertThat(output.getBody(), is("[{\"id\":\"fault-id-1\",\"name\":\"fault-1\",\"status\":\"ACTIVE\",\"params\":\"{}\"}]")); // 'id' is specified - APIGatewayProxyResponseEvent with JSON object and status code 200 scheduler = mock(Scheduler.class); entry = new Entry("fault-id-2", "fault-2", "ACTIVE", "{}"); doReturn(entry).when(scheduler).get(anyString()); Prodigy.container(new Container(scheduler, mock(Repository.class))); input = new APIGatewayProxyRequestEvent(); queryStringParameters = new HashMap<>(); queryStringParameters.put("id", "fault-id-2"); input.setQueryStringParameters(queryStringParameters); output = handler.handleRequest(input, null); assertThat(output.getStatusCode(), is(200)); assertThat(output.getBody(), is("{\"id\":\"fault-id-2\",\"name\":\"fault-2\",\"status\":\"ACTIVE\",\"params\":\"{}\"}")); }
testHandleRequest
[ "getQueryStringParameters", "get", "status", "status", "withBody", "withStatusCode", "writeValueAsString", "warn", "getMessage", "withBody", "withStatusCode", "getMessage", "error", "getMessage", "withBody", "withStatusCode", "getMessage" ]
[ "mock", "get", "when", "doReturn", "anyString", "container", "mock", "put", "setQueryStringParameters", "handleRequest", "assertThat", "getStatusCode", "is", "assertThat", "getBody", "is", "mock", "list", "when", "doThrow", "container", "mock", "handleRequest", "assertThat", "getStatusCode", "is", "assertThat", "getBody", "is", "mock", "add", "list", "when", "doReturn", "container", "mock", "handleRequest", "assertThat", "getStatusCode", "is", "assertThat", "getBody", "is", "mock", "get", "when", "doReturn", "anyString", "container", "mock", "put", "setQueryStringParameters", "handleRequest", "assertThat", "getStatusCode", "is", "assertThat", "getBody", "is" ]
{ "class_fields": "", "class_name": "StatusHandlerTest" }
{ "class_fields": "private static Log log = LambdaLogFactory.getLog(StatusHandler.class);", "class_name": "StatusHandler implements RequestHandler<APIGatewayProxyRequestEvent, APIGatewayProxyResponseEvent>", "method_signatures": "@Override public APIGatewayProxyResponseEvent handleRequest(APIGatewayProxyRequestEvent input, Context context)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: prodigy-core/src/main/java/io/eiichiro/prodigy/StatusHandler.java for which to generate the test case is:\nclass_name: StatusHandler implements RequestHandler<APIGatewayProxyRequestEvent, APIGatewayProxyResponseEvent>\n\nclass_fields: private static Log log = LambdaLogFactory.getLog(StatusHandler.class);\n\nmethod_signatures: @Override public APIGatewayProxyResponseEvent handleRequest(APIGatewayProxyRequestEvent input, Context context)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: StatusHandlerTest\n\nclass_fields: \n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file prodigy-core/src/main/java/io/eiichiro/prodigy/StatusHandler.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public APIGatewayProxyResponseEvent handleRequest(APIGatewayProxyRequestEvent input, Context context) {\n APIGatewayProxyResponseEvent output = new APIGatewayProxyResponseEvent();\n\n try {\n Map<String, String> queryStringParameters = input.getQueryStringParameters();\n String id = null;\n\n if (queryStringParameters != null) {\n id = queryStringParameters.get(\"id\");\n }\n \n Object response = (id == null) ? Prodigy.status() : Prodigy.status(id);\n ObjectMapper mapper = new ObjectMapper();\n return output.withStatusCode(200).withBody(mapper.writeValueAsString(response));\n } catch (IllegalArgumentException e) {\n log.warn(e.getMessage(), e);\n return output.withStatusCode(400).withBody(e.getMessage());\n } catch (Exception e) {\n log.error(e.getMessage(), e);\n return output.withStatusCode(500).withBody(e.getMessage());\n }\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n prodigy-core/src/test/java/io/eiichiro/prodigy/StatusHandlerTest.java\n </TESTFILE7041>\n @Test\n\tpublic void testHandleRequest() {\n\t\t// Prodigy throws IllegalArgumentException - APIGatewayProxyResponseEvent with status code 400\n\t\tStatusHandler handler = new StatusHandler();\n\t\tScheduler scheduler = mock(Scheduler.class);\n\t\tdoReturn(null).when(scheduler).get(anyString());\n\t\tProdigy.container(new Container(scheduler, mock(Repository.class)));\n\t\tAPIGatewayProxyRequestEvent input = new APIGatewayProxyRequestEvent();\n\t\tMap<String, String> queryStringParameters = new HashMap<>();\n\t\tqueryStringParameters.put(\"id\", \"fault-id-2\");\n\t\tinput.setQueryStringParameters(queryStringParameters);\n\t\tAPIGatewayProxyResponseEvent output = handler.handleRequest(input, null);\n\t\tassertThat(output.getStatusCode(), is(400));\n\t\tassertThat(output.getBody(), is(\"Fault id [fault-id-2] not found\"));\n\n\t\t// Prodigy throws Exception - APIGatewayProxyResponseEvent with status code 500\n\t\tscheduler = mock(Scheduler.class);\n\t\tdoThrow(new IllegalStateException(\"hello\")).when(scheduler).list();\n\t\tProdigy.container(new Container(scheduler, mock(Repository.class)));\n\t\toutput = handler.handleRequest(new APIGatewayProxyRequestEvent(), null);\n\t\tassertThat(output.getStatusCode(), is(500));\n\t\tassertThat(output.getBody(), is(\"hello\"));\n\n\t\t// 'id' is not specified - APIGatewayProxyResponseEvent with JSON list and status code 200\n\t\tscheduler = mock(Scheduler.class);\n\t\tList<Entry> entries = new ArrayList<>();\n\t\tEntry entry = new Entry(\"fault-id-1\", \"fault-1\", \"ACTIVE\", \"{}\");\n\t\tentries.add(entry);\n\t\tdoReturn(entries).when(scheduler).list();\n\t\tProdigy.container(new Container(scheduler, mock(Repository.class)));\n\t\toutput = handler.handleRequest(new APIGatewayProxyRequestEvent(), null);\n\t\tassertThat(output.getStatusCode(), is(200));\n\t\tassertThat(output.getBody(), is(\"[{\\\"id\\\":\\\"fault-id-1\\\",\\\"name\\\":\\\"fault-1\\\",\\\"status\\\":\\\"ACTIVE\\\",\\\"params\\\":\\\"{}\\\"}]\"));\n\n\t\t// 'id' is specified - APIGatewayProxyResponseEvent with JSON object and status code 200\n\t\tscheduler = mock(Scheduler.class);\n\t\tentry = new Entry(\"fault-id-2\", \"fault-2\", \"ACTIVE\", \"{}\");\n\t\tdoReturn(entry).when(scheduler).get(anyString());\n\t\tProdigy.container(new Container(scheduler, mock(Repository.class)));\n\t\tinput = new APIGatewayProxyRequestEvent();\n\t\tqueryStringParameters = new HashMap<>();\n\t\tqueryStringParameters.put(\"id\", \"fault-id-2\");\n\t\tinput.setQueryStringParameters(queryStringParameters);\n\t\toutput = handler.handleRequest(input, null);\n\t\tassertThat(output.getStatusCode(), is(200));\n\t\tassertThat(output.getBody(), is(\"{\\\"id\\\":\\\"fault-id-2\\\",\\\"name\\\":\\\"fault-2\\\",\\\"status\\\":\\\"ACTIVE\\\",\\\"params\\\":\\\"{}\\\"}\"));\n\t}\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/ryoasai/spring-mvc-exts
java
spring-mvc-exts/src/main/java/com/github/ryoasai/springmvc/utils/DateUtils.java
spring-mvc-exts/src/test/java/com/github/ryoasai/springmvc/utils/DateUtilsTest.java
public static Date create(int year, int month, int date) { Calendar cal = Calendar.getInstance(); cal.clear(); cal.set(year, month - 1, date); return cal.getTime(); }
create
@Test public void createYMD() { Date date = DateUtils.create(2010, 4, 12); DateFormat df = new SimpleDateFormat("yyyy-MM-dd HH:mm:ss"); assertThat(df.format(date), is("2010-04-12 00:00:00")); }
createYMD
[ "getInstance", "clear", "set", "getTime" ]
[ "create", "assertThat", "format", "is" ]
{ "class_fields": "", "class_name": "DateUtilsTest" }
{ "class_fields": "", "class_name": "DateUtils", "method_signatures": "public static Date create(int year, int month, int date)\npublic static Date create(int year, int month, int date, int hour, int minute, int second)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: spring-mvc-exts/src/main/java/com/github/ryoasai/springmvc/utils/DateUtils.java for which to generate the test case is:\nclass_name: DateUtils\n\nclass_fields: \n\nmethod_signatures: public static Date create(int year, int month, int date)\npublic static Date create(int year, int month, int date, int hour, int minute, int second)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: DateUtilsTest\n\nclass_fields: \n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file spring-mvc-exts/src/main/java/com/github/ryoasai/springmvc/utils/DateUtils.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public static Date create(int year, int month, int date) {\n\t\tCalendar cal = Calendar.getInstance();\n\t\tcal.clear();\n\t\tcal.set(year, month - 1, date);\n\t\treturn cal.getTime();\n\t}\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n spring-mvc-exts/src/test/java/com/github/ryoasai/springmvc/utils/DateUtilsTest.java\n </TESTFILE7041>\n @Test\n\tpublic void createYMD() {\n\t\tDate date = DateUtils.create(2010, 4, 12);\n\t\t\n\t\tDateFormat df = new SimpleDateFormat(\"yyyy-MM-dd HH:mm:ss\");\n\t\tassertThat(df.format(date), is(\"2010-04-12 00:00:00\"));\n\t}\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/aws/aws-xray-java-agent
java
aws-xray-agent/src/main/java/com/amazonaws/xray/agent/runtime/handlers/upstream/ServletHandler.java
aws-xray-agent/src/test/java/com/amazonaws/xray/agent/runtime/handlers/upstream/ServletHandlerTest.java
@Override public void handleRequest(Event event) { HttpServletNetworkRequestEvent requestEvent = (HttpServletNetworkRequestEvent) event; // HttpEvents are seen as servlet invocations, so in every request, we mark that we are serving an Http request // In X-Ray's context, this means that if we receive a activity event, to start generating a segment. XRayTransactionState transactionState = getTransactionState(); populateHeaderToTransactionState(requestEvent, transactionState); // TODO Fix request event bug so that getHeaderData is lower cased. This needs to be case insensitive String headerData = requestEvent.getHeaderData(HEADER_KEY.toLowerCase()); if (headerData == null) { headerData = requestEvent.getHeaderData(HEADER_KEY); } transactionState.withTraceheaderString(headerData); Optional<TraceHeader> traceHeader = Optional.empty(); String traceHeaderString = transactionState.getTraceHeader(); // If the trace header string is null, then this is the origin call. if (traceHeaderString != null) { traceHeader = Optional.of(TraceHeader.fromString(traceHeaderString)); } Segment segment = beginSegment(XRayTransactionState.getServiceName(), traceHeader); // Obtain sampling decision boolean shouldSample = getSamplingDecision(transactionState, traceHeader); segment.setSampled(shouldSample); // Add HTTP Information Map<String, Object> requestAttributes = new HashMap<>(); requestAttributes.put(URL_KEY, transactionState.getURL()); requestAttributes.put(USER_AGENT_KEY, transactionState.getUserAgent()); requestAttributes.put(METHOD_KEY, transactionState.getMethod()); requestAttributes.put(CLIENT_IP_KEY, transactionState.getClientIP()); segment.putHttp(HTTP_REQUEST_KEY, requestAttributes); }
handleRequest
@Test public void testHandleRequest() { HttpServletNetworkRequestEvent requestEvent = new HttpServletNetworkRequestEvent(ORIGIN, 54, 32, SRC_IP, DST_IP); requestEvent.withHost(HOST) .withMethod(METHOD) .withURL(URL) .withUserAgent(USER_AGENT); Assert.assertFalse(AWSXRay.getCurrentSegmentOptional().isPresent()); servletHandler.handleRequest(requestEvent); Assert.assertTrue(AWSXRay.getCurrentSegmentOptional().isPresent()); Segment servletSegment = AWSXRay.getCurrentSegment(); Assert.assertEquals(SERVICE_NAME, servletSegment.getName()); Map<String, String> httpMap = (Map<String, String>) servletSegment.getHttp().get("request"); Assert.assertEquals(METHOD, httpMap.get("method")); Assert.assertEquals(DST_IP, httpMap.get("client_ip")); Assert.assertEquals(URL, httpMap.get("url")); Assert.assertEquals(USER_AGENT, httpMap.get("user_agent")); Map<String, Object> xrayMap = (Map<String, Object>) servletSegment.getAws().get("xray"); Assert.assertEquals(SDK, xrayMap.get("sdk")); Assert.assertEquals(Boolean.TRUE, xrayMap.get("auto_instrumentation")); }
testHandleRequest
[ "getTransactionState", "populateHeaderToTransactionState", "getHeaderData", "toLowerCase", "getHeaderData", "withTraceheaderString", "empty", "getTraceHeader", "of", "fromString", "beginSegment", "getServiceName", "getSamplingDecision", "setSampled", "put", "getURL", "put", "getUserAgent", "put", "getMethod", "put", "getClientIP", "putHttp" ]
[ "withUserAgent", "withURL", "withMethod", "withHost", "assertFalse", "isPresent", "getCurrentSegmentOptional", "handleRequest", "assertTrue", "isPresent", "getCurrentSegmentOptional", "getCurrentSegment", "assertEquals", "getName", "get", "getHttp", "assertEquals", "get", "assertEquals", "get", "assertEquals", "get", "assertEquals", "get", "get", "getAws", "assertEquals", "get", "assertEquals", "get" ]
{ "class_fields": "public static final String HEADER_KEY = \"X-Amzn-Trace-Id\";\nprivate final String ORIGIN = \"httpServlet\";\nprivate final String SERVICE_NAME = \"SomeServletHostedService\";\nprivate final String SDK = \"X-Ray for Java\";\nprivate final String HOST = \"localhost:8080\";\nprivate final String METHOD = \"POST\";\nprivate final String URL = \"http://localhost:8080/\";\nprivate final String USER_AGENT = \"Mozilla/5.0 (Macintosh; Intel Mac OS X 10_12_6) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/76.0.3809.132 Safari/537.36\";\nprivate final String DST_IP = \"192.52.32.10\";\nprivate final String SRC_IP = \"152.152.152.2\";\nprivate ServletHandler servletHandler;\n@Mock\n private Emitter blankEmitter;", "class_name": "ServletHandlerTest" }
{ "class_fields": "private static final String URL_KEY = \"url\";\nprivate static final String METHOD_KEY = \"method\";\nprivate static final String CLIENT_IP_KEY = \"client_ip\";\nprivate static final String USER_AGENT_KEY = \"user_agent\";\nprivate static final String RESPONSE_KEY = \"response\";\nprivate static final String HTTP_REQUEST_KEY = \"request\";\nprivate static final String STATUS_KEY = \"status\";", "class_name": "ServletHandler extends XRayHandler", "method_signatures": "@Override public void handleRequest(Event event)\n@Override public void handleResponse(Event event)\nprivate void populateHeaderToTransactionState(HttpNetworkProtocolRequestEvent requestEvent, XRayTransactionState transactionState)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: aws-xray-agent/src/main/java/com/amazonaws/xray/agent/runtime/handlers/upstream/ServletHandler.java for which to generate the test case is:\nclass_name: ServletHandler extends XRayHandler\n\nclass_fields: private static final String URL_KEY = \"url\";\nprivate static final String METHOD_KEY = \"method\";\nprivate static final String CLIENT_IP_KEY = \"client_ip\";\nprivate static final String USER_AGENT_KEY = \"user_agent\";\nprivate static final String RESPONSE_KEY = \"response\";\nprivate static final String HTTP_REQUEST_KEY = \"request\";\nprivate static final String STATUS_KEY = \"status\";\n\nmethod_signatures: @Override public void handleRequest(Event event)\n@Override public void handleResponse(Event event)\nprivate void populateHeaderToTransactionState(HttpNetworkProtocolRequestEvent requestEvent, XRayTransactionState transactionState)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: ServletHandlerTest\n\nclass_fields: public static final String HEADER_KEY = \"X-Amzn-Trace-Id\";\nprivate final String ORIGIN = \"httpServlet\";\nprivate final String SERVICE_NAME = \"SomeServletHostedService\";\nprivate final String SDK = \"X-Ray for Java\";\nprivate final String HOST = \"localhost:8080\";\nprivate final String METHOD = \"POST\";\nprivate final String URL = \"http://localhost:8080/\";\nprivate final String USER_AGENT = \"Mozilla/5.0 (Macintosh; Intel Mac OS X 10_12_6) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/76.0.3809.132 Safari/537.36\";\nprivate final String DST_IP = \"192.52.32.10\";\nprivate final String SRC_IP = \"152.152.152.2\";\nprivate ServletHandler servletHandler;\n@Mock\n private Emitter blankEmitter;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file aws-xray-agent/src/main/java/com/amazonaws/xray/agent/runtime/handlers/upstream/ServletHandler.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public void handleRequest(Event event) {\n HttpServletNetworkRequestEvent requestEvent = (HttpServletNetworkRequestEvent) event;\n\n // HttpEvents are seen as servlet invocations, so in every request, we mark that we are serving an Http request\n // In X-Ray's context, this means that if we receive a activity event, to start generating a segment.\n XRayTransactionState transactionState = getTransactionState();\n populateHeaderToTransactionState(requestEvent, transactionState);\n\n // TODO Fix request event bug so that getHeaderData is lower cased. This needs to be case insensitive\n String headerData = requestEvent.getHeaderData(HEADER_KEY.toLowerCase());\n if (headerData == null) {\n headerData = requestEvent.getHeaderData(HEADER_KEY);\n }\n transactionState.withTraceheaderString(headerData);\n\n Optional<TraceHeader> traceHeader = Optional.empty();\n String traceHeaderString = transactionState.getTraceHeader();\n // If the trace header string is null, then this is the origin call.\n if (traceHeaderString != null) {\n traceHeader = Optional.of(TraceHeader.fromString(traceHeaderString));\n }\n Segment segment = beginSegment(XRayTransactionState.getServiceName(), traceHeader);\n\n // Obtain sampling decision\n boolean shouldSample = getSamplingDecision(transactionState, traceHeader);\n segment.setSampled(shouldSample);\n\n // Add HTTP Information\n Map<String, Object> requestAttributes = new HashMap<>();\n requestAttributes.put(URL_KEY, transactionState.getURL());\n requestAttributes.put(USER_AGENT_KEY, transactionState.getUserAgent());\n requestAttributes.put(METHOD_KEY, transactionState.getMethod());\n requestAttributes.put(CLIENT_IP_KEY, transactionState.getClientIP());\n segment.putHttp(HTTP_REQUEST_KEY, requestAttributes);\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n aws-xray-agent/src/test/java/com/amazonaws/xray/agent/runtime/handlers/upstream/ServletHandlerTest.java\n </TESTFILE7041>\n @Test\n public void testHandleRequest() {\n HttpServletNetworkRequestEvent requestEvent = new HttpServletNetworkRequestEvent(ORIGIN, 54, 32, SRC_IP, DST_IP);\n requestEvent.withHost(HOST)\n .withMethod(METHOD)\n .withURL(URL)\n .withUserAgent(USER_AGENT);\n\n Assert.assertFalse(AWSXRay.getCurrentSegmentOptional().isPresent());\n servletHandler.handleRequest(requestEvent);\n Assert.assertTrue(AWSXRay.getCurrentSegmentOptional().isPresent());\n\n Segment servletSegment = AWSXRay.getCurrentSegment();\n\n Assert.assertEquals(SERVICE_NAME, servletSegment.getName());\n\n Map<String, String> httpMap = (Map<String, String>) servletSegment.getHttp().get(\"request\");\n Assert.assertEquals(METHOD, httpMap.get(\"method\"));\n Assert.assertEquals(DST_IP, httpMap.get(\"client_ip\"));\n Assert.assertEquals(URL, httpMap.get(\"url\"));\n Assert.assertEquals(USER_AGENT, httpMap.get(\"user_agent\"));\n\n Map<String, Object> xrayMap = (Map<String, Object>) servletSegment.getAws().get(\"xray\");\n Assert.assertEquals(SDK, xrayMap.get(\"sdk\"));\n Assert.assertEquals(Boolean.TRUE, xrayMap.get(\"auto_instrumentation\"));\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/eiichiro/prodigy
java
prodigy-cli/src/main/java/io/eiichiro/prodigy/cli/ConfigureCommand.java
prodigy-cli/src/test/java/io/eiichiro/prodigy/cli/ConfigureCommandTest.java
@Override public Usage usage() { Usage usage = new Usage("configure [options] <profile>"); usage.option(null, "default", false, "set <profile> as default"); return usage; }
usage
@Test public void testUsage() { ConfigureCommand command = new ConfigureCommand(new Shell(), new HashMap<>(), Paths.get("/path/to/not-found.yml")); Usage usage = command.usage(); assertThat(usage.synopsis(), is("configure [options] <profile>")); assertThat(usage.options().size(), is(1)); }
testUsage
[ "option" ]
[ "get", "usage", "assertThat", "synopsis", "is", "assertThat", "size", "options", "is" ]
{ "class_fields": "", "class_name": "ConfigureCommandTest" }
{ "class_fields": "private final Log log = LogFactory.getLog(getClass());\nprivate final Shell shell;\nprivate final Map<String, Object> configuration;\nprivate final Path path;", "class_name": "ConfigureCommand implements Command", "method_signatures": "public ConfigureCommand(Shell shell, Map<String, Object> configuration, Path path)\n@Override public String name()\n@Override public Usage usage()\n@Override public void run(Line line)\nprivate void write()\nprivate List<String> read()" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: prodigy-cli/src/main/java/io/eiichiro/prodigy/cli/ConfigureCommand.java for which to generate the test case is:\nclass_name: ConfigureCommand implements Command\n\nclass_fields: private final Log log = LogFactory.getLog(getClass());\nprivate final Shell shell;\nprivate final Map<String, Object> configuration;\nprivate final Path path;\n\nmethod_signatures: public ConfigureCommand(Shell shell, Map<String, Object> configuration, Path path)\n@Override public String name()\n@Override public Usage usage()\n@Override public void run(Line line)\nprivate void write()\nprivate List<String> read()\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: ConfigureCommandTest\n\nclass_fields: \n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file prodigy-cli/src/main/java/io/eiichiro/prodigy/cli/ConfigureCommand.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public Usage usage() {\n Usage usage = new Usage(\"configure [options] <profile>\");\n usage.option(null, \"default\", false, \"set <profile> as default\");\n return usage;\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n prodigy-cli/src/test/java/io/eiichiro/prodigy/cli/ConfigureCommandTest.java\n </TESTFILE7041>\n @Test\n\tpublic void testUsage() {\n\t\tConfigureCommand command = new ConfigureCommand(new Shell(), new HashMap<>(), Paths.get(\"/path/to/not-found.yml\"));\n\t\tUsage usage = command.usage();\n\t\tassertThat(usage.synopsis(), is(\"configure [options] <profile>\"));\n\t\tassertThat(usage.options().size(), is(1));\n\t}\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/eiichiro/prodigy
java
prodigy-cli/src/main/java/io/eiichiro/prodigy/cli/FaultsCommand.java
prodigy-cli/src/test/java/io/eiichiro/prodigy/cli/FaultsCommandTest.java
@Override @SuppressWarnings("unchecked") public void run(Line line) throws Exception { String profile = (String) configuration.get("default"); URIBuilder builder = new URIBuilder( ((Map<String, Object>) configuration.get(profile)).get("endpoint") + "/faults"); HttpGet get = new HttpGet(builder.build()); try (CloseableHttpResponse response = httpClient.execute(get)) { StatusLine status = response.getStatusLine(); String content = EntityUtils.toString(response.getEntity(), ContentType.APPLICATION_JSON.getCharset()); log.debug(content); if (status.getStatusCode() == HttpStatus.SC_OK) { ObjectMapper mapper = new ObjectMapper(); Map<String, String> output = mapper.readValue(content, new TypeReference<Map<String, String>>() { }); if (output.isEmpty()) { shell.console().println("No fault classes listed in repository"); } else { MutableInt name = new MutableInt(); MutableInt clazz = new MutableInt(); Map<String, String> o = new TreeMap<>((e1, e2) -> { name.setValue(Math.max(e1.length(), e2.length())); clazz.setValue(Math.max(output.get(e1).length(), output.get(e2).length())); return e1.compareTo(e2); }); o.putAll(output); shell.console().println(StringUtils.rightPad("name", name.intValue() + 1) + "class"); shell.console().println(StringUtils.repeat("-", name.intValue()) + " " + StringUtils.repeat("-", clazz.intValue())); o.forEach((k, v) -> shell.console().println(StringUtils.rightPad(k, name.intValue() + 1) + v)); } } else { log.warn("Listing fault classes failed in [" + status + "] for a reason of [" + content + "]"); } } }
run
@Test public void testRun() throws Exception { Map<String, Object> configuration = new HashMap<>(); configuration.put("default", "profile-1"); Map<String, String> profile1 = new HashMap<>(); profile1.put("endpoint", "https://endpoint-1.execute-api.us-east-1.amazonaws.com/beta"); configuration.put("profile-1", profile1); Map<String, String> profile2 = new HashMap<>(); profile2.put("endpoint", "https://endpoint-2.execute-api.us-east-1.amazonaws.com/beta"); configuration.put("profile-2", profile2); FaultsCommand command = new FaultsCommand(new Shell(), configuration); CloseableHttpResponse response = mock(CloseableHttpResponse.class); StatusLine line = new BasicStatusLine(HttpVersion.HTTP_1_1, HttpStatus.SC_OK, ""); doReturn(line).when(response).getStatusLine(); HttpEntity entity = new StringEntity("{}", ContentType.APPLICATION_JSON); doReturn(entity).when(response).getEntity(); CloseableHttpClient httpClient = mock(CloseableHttpClient.class); doAnswer((i) -> { HttpGet get = i.getArgument(0); assertThat(get.getURI().toString(), is("https://endpoint-1.execute-api.us-east-1.amazonaws.com/beta/faults")); return response; }).when(httpClient).execute(ArgumentMatchers.any(HttpUriRequest.class)); command.httpClient(httpClient); Map<String, String> options = new HashMap<>(); List<String> args = new ArrayList<>(); command.run(new Line("faults", options, args)); entity = new StringEntity("{\"fault-2\" : \"io.eiichiro.prodigy.Fault2\", \"fault-1\" : \"io.eiichiro.prodigy.Fault1\"}", ContentType.APPLICATION_JSON); doReturn(entity).when(response).getEntity(); command.run(new Line("faults", options, args)); line = new BasicStatusLine(HttpVersion.HTTP_1_1, HttpStatus.SC_INTERNAL_SERVER_ERROR, ""); doReturn(line).when(response).getStatusLine(); command.run(new Line("faults", options, args)); }
testRun
[ "get", "get", "get", "build", "execute", "getStatusLine", "toString", "getEntity", "getCharset", "debug", "getStatusCode", "readValue", "isEmpty", "println", "console", "setValue", "max", "length", "length", "setValue", "max", "length", "get", "length", "get", "compareTo", "putAll", "println", "console", "rightPad", "intValue", "println", "console", "repeat", "intValue", "repeat", "intValue", "forEach", "println", "console", "rightPad", "intValue", "warn" ]
[ "put", "put", "put", "put", "put", "mock", "getStatusLine", "when", "doReturn", "getEntity", "when", "doReturn", "mock", "execute", "when", "doAnswer", "getArgument", "assertThat", "toString", "getURI", "is", "any", "httpClient", "run", "getEntity", "when", "doReturn", "run", "getStatusLine", "when", "doReturn", "run" ]
{ "class_fields": "", "class_name": "FaultsCommandTest" }
{ "class_fields": "private final Log log = LogFactory.getLog(getClass());\nprivate final Shell shell;\nprivate final Map<String, Object> configuration;\nprivate CloseableHttpClient httpClient;", "class_name": "FaultsCommand implements Command", "method_signatures": "public FaultsCommand(Shell shell, Map<String, Object> configuration)\n@Override public String name()\n@Override public Usage usage()\n@Override @SuppressWarnings(\"unchecked\") public void run(Line line)\npublic void httpClient(CloseableHttpClient httpClient)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: prodigy-cli/src/main/java/io/eiichiro/prodigy/cli/FaultsCommand.java for which to generate the test case is:\nclass_name: FaultsCommand implements Command\n\nclass_fields: private final Log log = LogFactory.getLog(getClass());\nprivate final Shell shell;\nprivate final Map<String, Object> configuration;\nprivate CloseableHttpClient httpClient;\n\nmethod_signatures: public FaultsCommand(Shell shell, Map<String, Object> configuration)\n@Override public String name()\n@Override public Usage usage()\n@Override @SuppressWarnings(\"unchecked\") public void run(Line line)\npublic void httpClient(CloseableHttpClient httpClient)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: FaultsCommandTest\n\nclass_fields: \n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file prodigy-cli/src/main/java/io/eiichiro/prodigy/cli/FaultsCommand.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n @SuppressWarnings(\"unchecked\")\n public void run(Line line) throws Exception {\n String profile = (String) configuration.get(\"default\");\n URIBuilder builder = new URIBuilder(\n ((Map<String, Object>) configuration.get(profile)).get(\"endpoint\") + \"/faults\");\n HttpGet get = new HttpGet(builder.build());\n\n try (CloseableHttpResponse response = httpClient.execute(get)) {\n StatusLine status = response.getStatusLine();\n String content = EntityUtils.toString(response.getEntity(), ContentType.APPLICATION_JSON.getCharset());\n log.debug(content);\n\n if (status.getStatusCode() == HttpStatus.SC_OK) {\n ObjectMapper mapper = new ObjectMapper();\n Map<String, String> output = mapper.readValue(content,\n new TypeReference<Map<String, String>>() {\n });\n\n if (output.isEmpty()) {\n shell.console().println(\"No fault classes listed in repository\");\n } else {\n MutableInt name = new MutableInt();\n MutableInt clazz = new MutableInt();\n Map<String, String> o = new TreeMap<>((e1, e2) -> {\n name.setValue(Math.max(e1.length(), e2.length()));\n clazz.setValue(Math.max(output.get(e1).length(), output.get(e2).length()));\n return e1.compareTo(e2);\n });\n o.putAll(output);\n shell.console().println(StringUtils.rightPad(\"name\", name.intValue() + 1) + \"class\");\n shell.console().println(StringUtils.repeat(\"-\", name.intValue()) + \" \" + StringUtils.repeat(\"-\", clazz.intValue()));\n o.forEach((k, v) -> shell.console().println(StringUtils.rightPad(k, name.intValue() + 1) + v));\n }\n \n } else {\n log.warn(\"Listing fault classes failed in [\" + status + \"] for a reason of [\" + content + \"]\");\n }\n }\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n prodigy-cli/src/test/java/io/eiichiro/prodigy/cli/FaultsCommandTest.java\n </TESTFILE7041>\n @Test\n\tpublic void testRun() throws Exception {\n\t\tMap<String, Object> configuration = new HashMap<>();\n\t\tconfiguration.put(\"default\", \"profile-1\");\n\t\tMap<String, String> profile1 = new HashMap<>();\n\t\tprofile1.put(\"endpoint\", \"https://endpoint-1.execute-api.us-east-1.amazonaws.com/beta\");\n\t\tconfiguration.put(\"profile-1\", profile1);\n\t\tMap<String, String> profile2 = new HashMap<>();\n\t\tprofile2.put(\"endpoint\", \"https://endpoint-2.execute-api.us-east-1.amazonaws.com/beta\");\n\t\tconfiguration.put(\"profile-2\", profile2);\n\t\tFaultsCommand command = new FaultsCommand(new Shell(), configuration);\n\t\tCloseableHttpResponse response = mock(CloseableHttpResponse.class);\n\t\tStatusLine line = new BasicStatusLine(HttpVersion.HTTP_1_1, HttpStatus.SC_OK, \"\");\n\t\tdoReturn(line).when(response).getStatusLine();\n\t\tHttpEntity entity = new StringEntity(\"{}\", ContentType.APPLICATION_JSON);\n\t\tdoReturn(entity).when(response).getEntity();\n\t\tCloseableHttpClient httpClient = mock(CloseableHttpClient.class);\n\t\tdoAnswer((i) -> {\n\t\t\tHttpGet get = i.getArgument(0);\n\t\t\tassertThat(get.getURI().toString(), is(\"https://endpoint-1.execute-api.us-east-1.amazonaws.com/beta/faults\"));\n\t\t\treturn response;\n\t\t}).when(httpClient).execute(ArgumentMatchers.any(HttpUriRequest.class));\n\t\tcommand.httpClient(httpClient);\n\t\tMap<String, String> options = new HashMap<>();\n\t\tList<String> args = new ArrayList<>();\n\t\tcommand.run(new Line(\"faults\", options, args));\n\n\t\tentity = new StringEntity(\"{\\\"fault-2\\\" : \\\"io.eiichiro.prodigy.Fault2\\\", \\\"fault-1\\\" : \\\"io.eiichiro.prodigy.Fault1\\\"}\", ContentType.APPLICATION_JSON);\n\t\tdoReturn(entity).when(response).getEntity();\n\t\tcommand.run(new Line(\"faults\", options, args));\n\n\t\tline = new BasicStatusLine(HttpVersion.HTTP_1_1, HttpStatus.SC_INTERNAL_SERVER_ERROR, \"\");\n\t\tdoReturn(line).when(response).getStatusLine();\n\t\tcommand.run(new Line(\"faults\", options, args));\n\t}\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/eiichiro/prodigy
java
prodigy-cli/src/main/java/io/eiichiro/prodigy/cli/CliProperties.java
prodigy-cli/src/test/java/io/eiichiro/prodigy/cli/CliPropertiesTest.java
public void load() { try (InputStream stream = CliProperties.class.getResourceAsStream("/cli.properties")) { load(stream); } catch (IOException e) { log.warn("Unable to load Prodigy CLI properties", e); } }
load
@Test public void testLoad() { CliProperties properties = new CliProperties(); properties.load(); assertTrue(properties.containsKey("version.prodigy.cli")); assertTrue(properties.containsKey("dependency.prodigy.core")); assertTrue(properties.containsKey("dependency.prodigy.faults")); }
testLoad
[ "getResourceAsStream", "load", "warn" ]
[ "load", "assertTrue", "containsKey", "assertTrue", "containsKey", "assertTrue", "containsKey" ]
{ "class_fields": "", "class_name": "CliPropertiesTest" }
{ "class_fields": "private static final long serialVersionUID = 1L;\nprivate final Log log = LogFactory.getLog(getClass());", "class_name": "CliProperties extends Properties", "method_signatures": "public void load()\npublic String version(String key)\npublic String dependency(String key)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: prodigy-cli/src/main/java/io/eiichiro/prodigy/cli/CliProperties.java for which to generate the test case is:\nclass_name: CliProperties extends Properties\n\nclass_fields: private static final long serialVersionUID = 1L;\nprivate final Log log = LogFactory.getLog(getClass());\n\nmethod_signatures: public void load()\npublic String version(String key)\npublic String dependency(String key)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: CliPropertiesTest\n\nclass_fields: \n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file prodigy-cli/src/main/java/io/eiichiro/prodigy/cli/CliProperties.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public void load() {\n try (InputStream stream = CliProperties.class.getResourceAsStream(\"/cli.properties\")) {\n load(stream);\n } catch (IOException e) {\n log.warn(\"Unable to load Prodigy CLI properties\", e);\n }\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n prodigy-cli/src/test/java/io/eiichiro/prodigy/cli/CliPropertiesTest.java\n </TESTFILE7041>\n @Test\n\tpublic void testLoad() {\n\t\tCliProperties properties = new CliProperties();\n\t\tproperties.load();\n\t\tassertTrue(properties.containsKey(\"version.prodigy.cli\"));\n\t\tassertTrue(properties.containsKey(\"dependency.prodigy.core\"));\n\t\tassertTrue(properties.containsKey(\"dependency.prodigy.faults\"));\n\t}\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/adobe/aem-modernize-tools
java
bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRule.java
bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRuleTest.java
@Activate protected void activate(ComponentContext context) throws RepositoryException, ConfigurationException { @SuppressWarnings("unchecked") Dictionary<String, Object> props = context.getProperties(); // read service ranking property Object ranking = props.get("service.ranking"); if (ranking != null) { try { this.ranking = (Integer) ranking; } catch (ClassCastException e) { // ignore logger.warn("Found invalid service.ranking value {}", ranking); } } resourceType = PropertiesUtil.toString(props.get(PROP_RESOURCE_TYPE), PROP_RESOURCE_TYPE_DEFAULT); if (StringUtils.isBlank(resourceType)) { throw new ConfigurationException(PROP_RESOURCE_TYPE, "Sling Resource Type is required."); } layout = PropertiesUtil.toString(props.get(PROP_LAYOUT_VALUE), null); if (StringUtils.isBlank(layout)) { throw new ConfigurationException(PROP_LAYOUT_VALUE, "Layout value property is required."); } String[] widthsStrings = PropertiesUtil.toStringArray(props.get(PROP_COLUMN_WIDTHS), null); if (ArrayUtils.isEmpty(widthsStrings)) { throw new ConfigurationException(PROP_COLUMN_WIDTHS, "Column width property is required."); } else { widths = new long[widthsStrings.length]; for (int i = 0; i < widthsStrings.length; i++) { try { widths[i] = Long.parseLong(widthsStrings[i]); } catch (NumberFormatException ex) { throw new ConfigurationException(PROP_COLUMN_WIDTHS, "Column width values must be of type long."); } } } }
activate
@Test public void testActivateNoResourceType() { BundleContext bundleContext = MockOsgi.newBundleContext(); ColumnControlRewriteRule rule = new ColumnControlRewriteRule(); MockOsgi.injectServices(rule, bundleContext); Dictionary<String, Object> props = new Hashtable<>(); props.put("layout.value", LAYOUT_VALUE); props.put("column.widths", COLUMN_WIDTHS); MockOsgi.activate(rule, bundleContext, props); }
testActivateNoResourceType
[ "getProperties", "get", "warn", "toString", "get", "isBlank", "toString", "get", "isBlank", "toStringArray", "get", "isEmpty", "parseLong" ]
[ "newBundleContext", "injectServices", "put", "put", "activate" ]
{ "class_fields": "private final String ROOTS_PATH = \"/libs/cq/modernize/templatestructure/content/roots\";\nprivate static final String LAYOUT_VALUE = \"2;cq-colctrl-lt0\";\nprivate static final String[] COLUMN_WIDTHS = {\"6\", \"6\"};\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\nprivate BundleContext bundleContext;", "class_name": "ColumnControlRewriteRuleTest" }
{ "class_fields": "private static final Logger logger = LoggerFactory.getLogger(ColumnControlRewriteRule.class);\nprivate int ranking = Integer.MAX_VALUE;\nprivate static final String PROP_LAYOUT = \"layout\";\nprivate static final String PROP_CONTROL_TYPE = \"controlType\";\nprivate static final String CONTROL_TYPE_BREAK = \"break\";\nprivate static final String CONTROL_TYPE_END = \"end\";\nprivate static final String RESPONSIVE_GRID_NAME = \"responsivegrid\";\nprivate static final String DEFAULT_LAYOUT_NAME = \"default\";\nprivate static final String PROP_WIDTH = \"width\";\nprivate static final String PROP_OFFSET = \"offset\";\nprivate static final String PROP_RESOURCE_TYPE_DEFAULT = \"foundation/components/parsys/colctrl\";\n@Property(label = \"Column Control ResourceType\",\n description = \"The sling:resourceType of this column control, leave blank to use Foundation component. (some customers extend/create their own)\",\n value = PROP_RESOURCE_TYPE_DEFAULT)\n private static final String PROP_RESOURCE_TYPE= \"sling.resourceType\";\nprivate String resourceType = PROP_RESOURCE_TYPE_DEFAULT;\n@Property(label = \"Layout Property Value\",\n description = \"The value of the `layout` property on the primary column control component.\")\n private static final String PROP_LAYOUT_VALUE = \"layout.value\";\nprivate String layout;\n@Property(label = \"Column Widths\",\n description = \"An array of widths for each of the columns in target grid. (e.g. 50%/50% column control is [6,6] in target grid. 75%/25% => [8,4])\",\n cardinality = Integer.MAX_VALUE)\n private static final String PROP_COLUMN_WIDTHS = \"column.widths\";\nprivate long[] widths;", "class_name": "ColumnControlRewriteRule implements StructureRewriteRule", "method_signatures": "@Override public boolean matches(Node root)\n@Override public Node applyTo(Node root, Set<Node> finalNodes)\n@Activate protected void activate(ComponentContext context)\n@Override public int getRanking()" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRule.java for which to generate the test case is:\nclass_name: ColumnControlRewriteRule implements StructureRewriteRule\n\nclass_fields: private static final Logger logger = LoggerFactory.getLogger(ColumnControlRewriteRule.class);\nprivate int ranking = Integer.MAX_VALUE;\nprivate static final String PROP_LAYOUT = \"layout\";\nprivate static final String PROP_CONTROL_TYPE = \"controlType\";\nprivate static final String CONTROL_TYPE_BREAK = \"break\";\nprivate static final String CONTROL_TYPE_END = \"end\";\nprivate static final String RESPONSIVE_GRID_NAME = \"responsivegrid\";\nprivate static final String DEFAULT_LAYOUT_NAME = \"default\";\nprivate static final String PROP_WIDTH = \"width\";\nprivate static final String PROP_OFFSET = \"offset\";\nprivate static final String PROP_RESOURCE_TYPE_DEFAULT = \"foundation/components/parsys/colctrl\";\n@Property(label = \"Column Control ResourceType\",\n description = \"The sling:resourceType of this column control, leave blank to use Foundation component. (some customers extend/create their own)\",\n value = PROP_RESOURCE_TYPE_DEFAULT)\n private static final String PROP_RESOURCE_TYPE= \"sling.resourceType\";\nprivate String resourceType = PROP_RESOURCE_TYPE_DEFAULT;\n@Property(label = \"Layout Property Value\",\n description = \"The value of the `layout` property on the primary column control component.\")\n private static final String PROP_LAYOUT_VALUE = \"layout.value\";\nprivate String layout;\n@Property(label = \"Column Widths\",\n description = \"An array of widths for each of the columns in target grid. (e.g. 50%/50% column control is [6,6] in target grid. 75%/25% => [8,4])\",\n cardinality = Integer.MAX_VALUE)\n private static final String PROP_COLUMN_WIDTHS = \"column.widths\";\nprivate long[] widths;\n\nmethod_signatures: @Override public boolean matches(Node root)\n@Override public Node applyTo(Node root, Set<Node> finalNodes)\n@Activate protected void activate(ComponentContext context)\n@Override public int getRanking()\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: ColumnControlRewriteRuleTest\n\nclass_fields: private final String ROOTS_PATH = \"/libs/cq/modernize/templatestructure/content/roots\";\nprivate static final String LAYOUT_VALUE = \"2;cq-colctrl-lt0\";\nprivate static final String[] COLUMN_WIDTHS = {\"6\", \"6\"};\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\nprivate BundleContext bundleContext;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRule.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Activate\n protected void activate(ComponentContext context) throws RepositoryException, ConfigurationException {\n @SuppressWarnings(\"unchecked\")\n Dictionary<String, Object> props = context.getProperties();\n // read service ranking property\n Object ranking = props.get(\"service.ranking\");\n if (ranking != null) {\n try {\n this.ranking = (Integer) ranking;\n } catch (ClassCastException e) {\n // ignore\n logger.warn(\"Found invalid service.ranking value {}\", ranking);\n }\n }\n\n resourceType = PropertiesUtil.toString(props.get(PROP_RESOURCE_TYPE), PROP_RESOURCE_TYPE_DEFAULT);\n if (StringUtils.isBlank(resourceType)) {\n throw new ConfigurationException(PROP_RESOURCE_TYPE, \"Sling Resource Type is required.\");\n }\n\n layout = PropertiesUtil.toString(props.get(PROP_LAYOUT_VALUE), null);\n if (StringUtils.isBlank(layout)) {\n throw new ConfigurationException(PROP_LAYOUT_VALUE, \"Layout value property is required.\");\n }\n\n String[] widthsStrings = PropertiesUtil.toStringArray(props.get(PROP_COLUMN_WIDTHS), null);\n if (ArrayUtils.isEmpty(widthsStrings)) {\n throw new ConfigurationException(PROP_COLUMN_WIDTHS, \"Column width property is required.\");\n } else {\n widths = new long[widthsStrings.length];\n for (int i = 0; i < widthsStrings.length; i++) {\n try {\n widths[i] = Long.parseLong(widthsStrings[i]);\n } catch (NumberFormatException ex) {\n throw new ConfigurationException(PROP_COLUMN_WIDTHS, \"Column width values must be of type long.\");\n }\n }\n }\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRuleTest.java\n </TESTFILE7041>\n @Test\n public void testActivateNoResourceType() {\n BundleContext bundleContext = MockOsgi.newBundleContext();\n ColumnControlRewriteRule rule = new ColumnControlRewriteRule();\n MockOsgi.injectServices(rule, bundleContext);\n Dictionary<String, Object> props = new Hashtable<>();\n props.put(\"layout.value\", LAYOUT_VALUE);\n props.put(\"column.widths\", COLUMN_WIDTHS);\n MockOsgi.activate(rule, bundleContext, props);\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/aws/aws-xray-java-agent
java
aws-xray-agent/src/main/java/com/amazonaws/xray/agent/runtime/handlers/downstream/HttpClientHandler.java
aws-xray-agent/src/test/java/com/amazonaws/xray/agent/runtime/handlers/downstream/HttpClientHandlerTest.java
@Override public void handleResponse(Event event) { HttpServiceDownstreamResponseEvent responseEvent = (HttpServiceDownstreamResponseEvent) event; // Check again if this is an X-Ray sampling call or within an AWS call. // By this time, the request handler would've executed the same logic and didn't generate a subsegment. HttpServiceDownstreamRequestEvent requestEvent = (HttpServiceDownstreamRequestEvent) responseEvent.getRequest(); URI uri = getUriFromEvent(requestEvent); if (isWithinAWSCall() || isXRaySamplingCall(uri) || isXRayPluginCall(uri)) { return; } Optional<Subsegment> subsegmentOptional = getSubsegmentOptional(); if (subsegmentOptional.isPresent()) { addResponseInformation(subsegmentOptional.get(), responseEvent); endSubsegment(); } }
handleResponse
@Test public void testHandle5xxStatusCode() { httpClientResponseEvent.withStatusCode(500); Subsegment httpClientSubsegment = AWSXRay.beginSubsegment("failedResponseSubsegment"); httpClientHandler.handleResponse(httpClientResponseEvent); Assert.assertTrue(httpClientSubsegment.isFault()); Assert.assertFalse(httpClientSubsegment.isError()); Assert.assertFalse(httpClientSubsegment.isThrottle()); Map<String, Integer> httpResponseMap = (Map<String, Integer>) httpClientSubsegment.getHttp().get("response"); Assert.assertEquals(500, (int) httpResponseMap.get("status")); }
testHandle5xxStatusCode
[ "getRequest", "getUriFromEvent", "isWithinAWSCall", "isXRaySamplingCall", "isXRayPluginCall", "getSubsegmentOptional", "isPresent", "addResponseInformation", "get", "endSubsegment" ]
[ "withStatusCode", "beginSubsegment", "handleResponse", "assertTrue", "isFault", "assertFalse", "isError", "assertFalse", "isThrottle", "get", "getHttp", "assertEquals", "get" ]
{ "class_fields": "private final String ORIGIN = \"ApacheHttpClient\";\nprivate final String SERVICE = \"https://amazon.com\";\nprivate final String OPERATION = \"GET\";\nprivate final int STATUS_CODE = 200;\nprivate final int CONTENT_LENGTH = 48343;\nprivate HttpClientHandler httpClientHandler;\nprivate Segment parentSegment;\nprivate HttpServiceDownstreamRequestEvent httpClientRequestEvent;\nprivate HttpServiceDownstreamResponseEvent httpClientResponseEvent;", "class_name": "HttpClientHandlerTest" }
{ "class_fields": "private static final Log log = LogFactory.getLog(HttpClientHandler.class);\nprivate static final String URL_KEY = \"url\";\nprivate static final String METHOD_KEY = \"method\";\nprivate static final String HTTP_REQUEST_KEY = \"request\";\nprivate static final String STATUS_CODE_KEY = \"status\";\nprivate static final String CONTENT_LENGTH_KEY = \"content_length\";\nprivate static final String HTTP_RESPONSE_KEY = \"response\";", "class_name": "HttpClientHandler extends XRayHandler", "method_signatures": "@Override public void handleRequest(Event event)\nprivate URI getUriFromEvent(HttpServiceDownstreamRequestEvent requestEvent)\nprivate static void addRequestInformation(Subsegment subsegment, HttpServiceDownstreamRequestEvent requestEvent, URI uri)\n@Override public void handleResponse(Event event)\nprivate static void addResponseInformation(Subsegment subsegment, HttpServiceDownstreamResponseEvent responseEvent)\nprivate boolean isWithinAWSCall()\nprivate boolean isXRaySamplingCall(URI uri)\nprivate boolean isXRayPluginCall(URI uri)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: aws-xray-agent/src/main/java/com/amazonaws/xray/agent/runtime/handlers/downstream/HttpClientHandler.java for which to generate the test case is:\nclass_name: HttpClientHandler extends XRayHandler\n\nclass_fields: private static final Log log = LogFactory.getLog(HttpClientHandler.class);\nprivate static final String URL_KEY = \"url\";\nprivate static final String METHOD_KEY = \"method\";\nprivate static final String HTTP_REQUEST_KEY = \"request\";\nprivate static final String STATUS_CODE_KEY = \"status\";\nprivate static final String CONTENT_LENGTH_KEY = \"content_length\";\nprivate static final String HTTP_RESPONSE_KEY = \"response\";\n\nmethod_signatures: @Override public void handleRequest(Event event)\nprivate URI getUriFromEvent(HttpServiceDownstreamRequestEvent requestEvent)\nprivate static void addRequestInformation(Subsegment subsegment, HttpServiceDownstreamRequestEvent requestEvent, URI uri)\n@Override public void handleResponse(Event event)\nprivate static void addResponseInformation(Subsegment subsegment, HttpServiceDownstreamResponseEvent responseEvent)\nprivate boolean isWithinAWSCall()\nprivate boolean isXRaySamplingCall(URI uri)\nprivate boolean isXRayPluginCall(URI uri)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: HttpClientHandlerTest\n\nclass_fields: private final String ORIGIN = \"ApacheHttpClient\";\nprivate final String SERVICE = \"https://amazon.com\";\nprivate final String OPERATION = \"GET\";\nprivate final int STATUS_CODE = 200;\nprivate final int CONTENT_LENGTH = 48343;\nprivate HttpClientHandler httpClientHandler;\nprivate Segment parentSegment;\nprivate HttpServiceDownstreamRequestEvent httpClientRequestEvent;\nprivate HttpServiceDownstreamResponseEvent httpClientResponseEvent;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file aws-xray-agent/src/main/java/com/amazonaws/xray/agent/runtime/handlers/downstream/HttpClientHandler.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public void handleResponse(Event event) {\n HttpServiceDownstreamResponseEvent responseEvent = (HttpServiceDownstreamResponseEvent) event;\n\n // Check again if this is an X-Ray sampling call or within an AWS call.\n // By this time, the request handler would've executed the same logic and didn't generate a subsegment.\n HttpServiceDownstreamRequestEvent requestEvent = (HttpServiceDownstreamRequestEvent) responseEvent.getRequest();\n URI uri = getUriFromEvent(requestEvent);\n if (isWithinAWSCall() || isXRaySamplingCall(uri) || isXRayPluginCall(uri)) {\n return;\n }\n\n Optional<Subsegment> subsegmentOptional = getSubsegmentOptional();\n if (subsegmentOptional.isPresent()) {\n addResponseInformation(subsegmentOptional.get(), responseEvent);\n endSubsegment();\n }\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n aws-xray-agent/src/test/java/com/amazonaws/xray/agent/runtime/handlers/downstream/HttpClientHandlerTest.java\n </TESTFILE7041>\n @Test\n public void testHandle5xxStatusCode() {\n httpClientResponseEvent.withStatusCode(500);\n Subsegment httpClientSubsegment = AWSXRay.beginSubsegment(\"failedResponseSubsegment\");\n\n httpClientHandler.handleResponse(httpClientResponseEvent);\n Assert.assertTrue(httpClientSubsegment.isFault());\n Assert.assertFalse(httpClientSubsegment.isError());\n Assert.assertFalse(httpClientSubsegment.isThrottle());\n\n Map<String, Integer> httpResponseMap = (Map<String, Integer>) httpClientSubsegment.getHttp().get(\"response\");\n Assert.assertEquals(500, (int) httpResponseMap.get(\"status\"));\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/eiichiro/prodigy
java
prodigy-core/src/main/java/io/eiichiro/prodigy/Prodigy.java
prodigy-core/src/test/java/io/eiichiro/prodigy/ProdigyTest.java
public static String inject(String name, String params) { if (name == null) { throw new IllegalArgumentException("Parameter 'name' is required"); } if (params == null) { params = "{}"; } Fault fault = container.fault(name, params); if (fault == null) { throw new IllegalArgumentException("Fault cannot be instantiated with name [" + name + "] and params [" + params + "]"); } if (fault instanceof Validator) { Set<Violation> violations = ((Validator) fault).validate(); if (!violations.isEmpty()) { throw new IllegalArgumentException("Parameter 'params' is invalid: " + violations); } } log.info("Injecting fault id [" + fault.id() + "]"); boolean result = container.scheduler().schedule(fault); if (!result) { throw new IllegalArgumentException("Fault id [" + fault.id() + "] already exists"); } log.info("Fault id [" + fault.id() + "] injected"); return fault.id(); }
inject
@Test public void testInject() { // Parameter 'name' is not specified - IllegalArgumentException try { Prodigy.inject(null, null); fail(); } catch (IllegalArgumentException e) { assertThat(e.getMessage(), is("Parameter 'name' is required")); } // Container returns null - IllegalArgumentException Container container = mock(Container.class); doReturn(null).when(container).fault(anyString(), anyString()); Prodigy.container(container); try { Prodigy.inject("fault-1", null); } catch (IllegalArgumentException e) { assertThat(e.getMessage(), is("Fault cannot be instantiated with name [fault-1] and params [{}]")); } // Validator returns violations - IllegalArgumentException container = mock(Container.class); doReturn(new Validator1()).when(container).fault(anyString(), anyString()); Prodigy.container(container); try { Prodigy.inject("fault-1", null); } catch (IllegalArgumentException e) { assertThat(e.getMessage(), is("Parameter 'params' is invalid: [message]")); } // Scheduler returns false - IllegalArgumentException Scheduler scheduler = mock(Scheduler.class); doReturn(false).when(scheduler).schedule(ArgumentMatchers.any(Fault.class)); container = mock(Container.class); Fault fault = new Validator2(); fault.id("fault-id-2"); doReturn(fault).when(container).fault(anyString(), anyString()); doReturn(scheduler).when(container).scheduler(); Prodigy.container(container); try { Prodigy.inject("fault-2", null); } catch (IllegalArgumentException e) { assertThat(e.getMessage(), is("Fault id [fault-id-2] already exists")); } // Parameter 'params' is not specified scheduler = mock(Scheduler.class); doReturn(true).when(scheduler).schedule(ArgumentMatchers.any(Fault.class)); container = mock(Container.class); fault = new Validator2(); fault.id("fault-id-2"); Fault result = fault; doAnswer(i -> { assertThat(i.getArgument(1), is("{}")); return result; }).when(container).fault(anyString(), anyString()); doReturn(scheduler).when(container).scheduler(); Prodigy.container(container); String id = Prodigy.inject("fault-2", null); assertThat(id, is("fault-id-2")); // Parameter 'params' is specified scheduler = mock(Scheduler.class); doReturn(true).when(scheduler).schedule(ArgumentMatchers.any(Fault.class)); container = mock(Container.class); fault = new Validator2(); fault.id("fault-id-2"); doReturn(fault).when(container).fault(anyString(), anyString()); doReturn(scheduler).when(container).scheduler(); Prodigy.container(container); id = Prodigy.inject("fault-2", "{\"key-1\" : \"value-1\"}"); assertThat(id, is("fault-id-2")); }
testInject
[ "fault", "validate", "isEmpty", "info", "id", "schedule", "scheduler", "id", "info", "id", "id" ]
[ "inject", "fail", "assertThat", "getMessage", "is", "mock", "fault", "when", "doReturn", "anyString", "anyString", "container", "inject", "assertThat", "getMessage", "is", "mock", "fault", "when", "doReturn", "anyString", "anyString", "container", "inject", "assertThat", "getMessage", "is", "mock", "schedule", "when", "doReturn", "any", "mock", "id", "fault", "when", "doReturn", "anyString", "anyString", "scheduler", "when", "doReturn", "container", "inject", "assertThat", "getMessage", "is", "mock", "schedule", "when", "doReturn", "any", "mock", "id", "fault", "when", "doAnswer", "assertThat", "getArgument", "is", "anyString", "anyString", "scheduler", "when", "doReturn", "container", "inject", "assertThat", "is", "mock", "schedule", "when", "doReturn", "any", "mock", "id", "fault", "when", "doReturn", "anyString", "anyString", "scheduler", "when", "doReturn", "container", "inject", "assertThat", "is" ]
{ "class_fields": "", "class_name": "ProdigyTest" }
{ "class_fields": "private static Log log = LogFactory.getLog(Prodigy.class);\nprivate static Configuration configuration;\nprivate static Container container;", "class_name": "Prodigy", "method_signatures": "private Prodigy()\nstatic Configuration configuration()\nstatic void configuration(Configuration configuration)\nstatic Container container()\nstatic void container(Container container)\n@SuppressWarnings(\"unchecked\") public static T adapt(T target)\npublic static String inject(String name, String params)\npublic static void eject(String id)\npublic static Map<String, Class<? extends Fault>> faults()\npublic static Entry status(String id)\npublic static List<Entry> status()\npublic static void push(String name, InputStream jar)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: prodigy-core/src/main/java/io/eiichiro/prodigy/Prodigy.java for which to generate the test case is:\nclass_name: Prodigy\n\nclass_fields: private static Log log = LogFactory.getLog(Prodigy.class);\nprivate static Configuration configuration;\nprivate static Container container;\n\nmethod_signatures: private Prodigy()\nstatic Configuration configuration()\nstatic void configuration(Configuration configuration)\nstatic Container container()\nstatic void container(Container container)\n@SuppressWarnings(\"unchecked\") public static T adapt(T target)\npublic static String inject(String name, String params)\npublic static void eject(String id)\npublic static Map<String, Class<? extends Fault>> faults()\npublic static Entry status(String id)\npublic static List<Entry> status()\npublic static void push(String name, InputStream jar)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: ProdigyTest\n\nclass_fields: \n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file prodigy-core/src/main/java/io/eiichiro/prodigy/Prodigy.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public static String inject(String name, String params) {\n if (name == null) {\n throw new IllegalArgumentException(\"Parameter 'name' is required\");\n }\n\n if (params == null) {\n params = \"{}\";\n }\n\n Fault fault = container.fault(name, params);\n\n if (fault == null) {\n throw new IllegalArgumentException(\"Fault cannot be instantiated with name [\" + name + \"] and params [\" + params + \"]\");\n }\n\n if (fault instanceof Validator) {\n Set<Violation> violations = ((Validator) fault).validate();\n\n if (!violations.isEmpty()) {\n throw new IllegalArgumentException(\"Parameter 'params' is invalid: \" + violations);\n }\n }\n\n log.info(\"Injecting fault id [\" + fault.id() + \"]\");\n boolean result = container.scheduler().schedule(fault);\n\n if (!result) {\n throw new IllegalArgumentException(\"Fault id [\" + fault.id() + \"] already exists\");\n }\n\n log.info(\"Fault id [\" + fault.id() + \"] injected\");\n return fault.id();\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n prodigy-core/src/test/java/io/eiichiro/prodigy/ProdigyTest.java\n </TESTFILE7041>\n @Test\n\tpublic void testInject() {\n\t\t// Parameter 'name' is not specified - IllegalArgumentException\n\t\ttry {\n\t\t\tProdigy.inject(null, null);\n\t\t\tfail();\n\t\t} catch (IllegalArgumentException e) {\n\t\t\tassertThat(e.getMessage(), is(\"Parameter 'name' is required\"));\n\t\t}\n\n\t\t// Container returns null - IllegalArgumentException\n\t\tContainer container = mock(Container.class);\n\t\tdoReturn(null).when(container).fault(anyString(), anyString());\n\t\tProdigy.container(container);\n\n\t\ttry {\n\t\t\tProdigy.inject(\"fault-1\", null);\n\t\t} catch (IllegalArgumentException e) {\n\t\t\tassertThat(e.getMessage(), is(\"Fault cannot be instantiated with name [fault-1] and params [{}]\"));\n\t\t}\n\n\t\t// Validator returns violations - IllegalArgumentException\n\t\tcontainer = mock(Container.class);\n\t\tdoReturn(new Validator1()).when(container).fault(anyString(), anyString());\n\t\tProdigy.container(container);\n\n\t\ttry {\n\t\t\tProdigy.inject(\"fault-1\", null);\n\t\t} catch (IllegalArgumentException e) {\n\t\t\tassertThat(e.getMessage(), is(\"Parameter 'params' is invalid: [message]\"));\n\t\t}\n\n\t\t// Scheduler returns false - IllegalArgumentException\n\t\tScheduler scheduler = mock(Scheduler.class);\n\t\tdoReturn(false).when(scheduler).schedule(ArgumentMatchers.any(Fault.class));\n\t\tcontainer = mock(Container.class);\n\t\tFault fault = new Validator2();\n\t\tfault.id(\"fault-id-2\");\n\t\tdoReturn(fault).when(container).fault(anyString(), anyString());\n\t\tdoReturn(scheduler).when(container).scheduler();\n\t\tProdigy.container(container);\n\n\t\ttry {\n\t\t\tProdigy.inject(\"fault-2\", null);\n\t\t} catch (IllegalArgumentException e) {\n\t\t\tassertThat(e.getMessage(), is(\"Fault id [fault-id-2] already exists\"));\n\t\t}\n\n\t\t// Parameter 'params' is not specified\n\t\tscheduler = mock(Scheduler.class);\n\t\tdoReturn(true).when(scheduler).schedule(ArgumentMatchers.any(Fault.class));\n\t\tcontainer = mock(Container.class);\n\t\tfault = new Validator2();\n\t\tfault.id(\"fault-id-2\");\n\t\tFault result = fault;\n\t\tdoAnswer(i -> {\n\t\t\tassertThat(i.getArgument(1), is(\"{}\"));\n\t\t\treturn result;\n\t\t}).when(container).fault(anyString(), anyString());\n\t\tdoReturn(scheduler).when(container).scheduler();\n\t\tProdigy.container(container);\n\t\tString id = Prodigy.inject(\"fault-2\", null);\n\t\tassertThat(id, is(\"fault-id-2\"));\n\n\t\t// Parameter 'params' is specified\n\t\tscheduler = mock(Scheduler.class);\n\t\tdoReturn(true).when(scheduler).schedule(ArgumentMatchers.any(Fault.class));\n\t\tcontainer = mock(Container.class);\n\t\tfault = new Validator2();\n\t\tfault.id(\"fault-id-2\");\n\t\tdoReturn(fault).when(container).fault(anyString(), anyString());\n\t\tdoReturn(scheduler).when(container).scheduler();\n\t\tProdigy.container(container);\n\t\tid = Prodigy.inject(\"fault-2\", \"{\\\"key-1\\\" : \\\"value-1\\\"}\");\n\t\tassertThat(id, is(\"fault-id-2\"));\n\t}\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/eiichiro/prodigy
java
prodigy-core/src/main/java/io/eiichiro/prodigy/Prodigy.java
prodigy-core/src/test/java/io/eiichiro/prodigy/ProdigyTest.java
public static void push(String name, InputStream jar) { if (name == null) { throw new IllegalArgumentException("Parameter 'name' is required"); } if (!name.endsWith(".jar")) { throw new IllegalArgumentException("Parameter 'name' must be *.jar"); } log.info("Pushing fault jar [" + name + "]"); Prodigy.container().repository().save(name, jar); log.info("Fault jar [" + name + "] pushed"); }
push
@Test public void testPush() { // Parameter 'name' is not specified - IllegalArgumentException try { Prodigy.push(null, null); fail(); } catch (IllegalArgumentException e) { assertThat(e.getMessage(), is("Parameter 'name' is required")); } // Parameter 'name' does not end with '.jar' extension - IllegalArgumentException try { Prodigy.push("push-handler-test.zip", null); fail(); } catch (IllegalArgumentException e) { assertThat(e.getMessage(), is("Parameter 'name' must be *.jar")); } // Other Repository repository = mock(Repository.class); doNothing().when(repository).save(anyString(), ArgumentMatchers.any(InputStream.class)); Prodigy.container(new Container(mock(Scheduler.class), repository)); Prodigy.push("push-handler-test.jar", null); }
testPush
[ "endsWith", "info", "save", "repository", "container", "info" ]
[ "push", "fail", "assertThat", "getMessage", "is", "push", "fail", "assertThat", "getMessage", "is", "mock", "save", "when", "doNothing", "anyString", "any", "container", "mock", "push" ]
{ "class_fields": "", "class_name": "ProdigyTest" }
{ "class_fields": "private static Log log = LogFactory.getLog(Prodigy.class);\nprivate static Configuration configuration;\nprivate static Container container;", "class_name": "Prodigy", "method_signatures": "private Prodigy()\nstatic Configuration configuration()\nstatic void configuration(Configuration configuration)\nstatic Container container()\nstatic void container(Container container)\n@SuppressWarnings(\"unchecked\") public static T adapt(T target)\npublic static String inject(String name, String params)\npublic static void eject(String id)\npublic static Map<String, Class<? extends Fault>> faults()\npublic static Entry status(String id)\npublic static List<Entry> status()\npublic static void push(String name, InputStream jar)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: prodigy-core/src/main/java/io/eiichiro/prodigy/Prodigy.java for which to generate the test case is:\nclass_name: Prodigy\n\nclass_fields: private static Log log = LogFactory.getLog(Prodigy.class);\nprivate static Configuration configuration;\nprivate static Container container;\n\nmethod_signatures: private Prodigy()\nstatic Configuration configuration()\nstatic void configuration(Configuration configuration)\nstatic Container container()\nstatic void container(Container container)\n@SuppressWarnings(\"unchecked\") public static T adapt(T target)\npublic static String inject(String name, String params)\npublic static void eject(String id)\npublic static Map<String, Class<? extends Fault>> faults()\npublic static Entry status(String id)\npublic static List<Entry> status()\npublic static void push(String name, InputStream jar)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: ProdigyTest\n\nclass_fields: \n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file prodigy-core/src/main/java/io/eiichiro/prodigy/Prodigy.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public static void push(String name, InputStream jar) {\n if (name == null) {\n throw new IllegalArgumentException(\"Parameter 'name' is required\");\n }\n\n if (!name.endsWith(\".jar\")) {\n throw new IllegalArgumentException(\"Parameter 'name' must be *.jar\");\n }\n\n log.info(\"Pushing fault jar [\" + name + \"]\");\n Prodigy.container().repository().save(name, jar);\n log.info(\"Fault jar [\" + name + \"] pushed\");\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n prodigy-core/src/test/java/io/eiichiro/prodigy/ProdigyTest.java\n </TESTFILE7041>\n @Test\n\tpublic void testPush() {\n\t\t// Parameter 'name' is not specified - IllegalArgumentException\n\t\ttry {\n\t\t\tProdigy.push(null, null);\n\t\t\tfail();\n\t\t} catch (IllegalArgumentException e) {\n\t\t\tassertThat(e.getMessage(), is(\"Parameter 'name' is required\"));\n\t\t}\n\n\t\t// Parameter 'name' does not end with '.jar' extension - IllegalArgumentException\n\t\ttry {\n\t\t\tProdigy.push(\"push-handler-test.zip\", null);\n\t\t\tfail();\n\t\t} catch (IllegalArgumentException e) {\n\t\t\tassertThat(e.getMessage(), is(\"Parameter 'name' must be *.jar\"));\n\t\t}\n\n\t\t// Other\n\t\tRepository repository = mock(Repository.class);\n\t\tdoNothing().when(repository).save(anyString(), ArgumentMatchers.any(InputStream.class));\n\t\tProdigy.container(new Container(mock(Scheduler.class), repository));\n\t\tProdigy.push(\"push-handler-test.jar\", null);\n\t}\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/eiichiro/prodigy
java
prodigy-core/src/main/java/io/eiichiro/prodigy/Prodigy.java
prodigy-core/src/test/java/io/eiichiro/prodigy/ProdigyTest.java
public static Entry status(String id) { if (id == null) { throw new IllegalArgumentException("Parameter 'id' is required"); } Entry entry = Prodigy.container().scheduler().get(id); if (entry == null) { throw new IllegalArgumentException("Fault id [" + id + "] not found"); } return entry; }
status
@Test public void testStatus() { // Parameter 'id' is not specified - IllegalArgumentException try { Prodigy.status(null); fail(); } catch (IllegalArgumentException e) { assertThat(e.getMessage(), is("Parameter 'id' is required")); } // 'id' is specified and corresponding entry not found - IllegalArgumentException Scheduler scheduler = mock(Scheduler.class); doReturn(null).when(scheduler).get(anyString()); Prodigy.container(new Container(scheduler, mock(Repository.class))); try { Prodigy.status("fault-id-2"); fail(); } catch (IllegalArgumentException e) { assertThat(e.getMessage(), is("Fault id [fault-id-2] not found")); } // 'id' is specified and corresponding entry found scheduler = mock(Scheduler.class); Entry entry = new Entry("fault-id-2", "fault-2", "ACTIVE", "{}"); doReturn(entry).when(scheduler).get(anyString()); Prodigy.container(new Container(scheduler, mock(Repository.class))); assertSame(entry, Prodigy.status("fault-id-2")); // 'id' is not specified scheduler = mock(Scheduler.class); List<Entry> entries = new ArrayList<>(); entry = new Entry("fault-id-1", "fault-1", "ACTIVE", "{}"); entries.add(entry); doReturn(entries).when(scheduler).list(); Prodigy.container(new Container(scheduler, mock(Repository.class))); assertSame(entries, Prodigy.status()); }
testStatus
[ "get", "scheduler", "container" ]
[ "status", "fail", "assertThat", "getMessage", "is", "mock", "get", "when", "doReturn", "anyString", "container", "mock", "status", "fail", "assertThat", "getMessage", "is", "mock", "get", "when", "doReturn", "anyString", "container", "mock", "assertSame", "status", "mock", "add", "list", "when", "doReturn", "container", "mock", "assertSame", "status" ]
{ "class_fields": "", "class_name": "ProdigyTest" }
{ "class_fields": "private static Log log = LogFactory.getLog(Prodigy.class);\nprivate static Configuration configuration;\nprivate static Container container;", "class_name": "Prodigy", "method_signatures": "private Prodigy()\nstatic Configuration configuration()\nstatic void configuration(Configuration configuration)\nstatic Container container()\nstatic void container(Container container)\n@SuppressWarnings(\"unchecked\") public static T adapt(T target)\npublic static String inject(String name, String params)\npublic static void eject(String id)\npublic static Map<String, Class<? extends Fault>> faults()\npublic static Entry status(String id)\npublic static List<Entry> status()\npublic static void push(String name, InputStream jar)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: prodigy-core/src/main/java/io/eiichiro/prodigy/Prodigy.java for which to generate the test case is:\nclass_name: Prodigy\n\nclass_fields: private static Log log = LogFactory.getLog(Prodigy.class);\nprivate static Configuration configuration;\nprivate static Container container;\n\nmethod_signatures: private Prodigy()\nstatic Configuration configuration()\nstatic void configuration(Configuration configuration)\nstatic Container container()\nstatic void container(Container container)\n@SuppressWarnings(\"unchecked\") public static T adapt(T target)\npublic static String inject(String name, String params)\npublic static void eject(String id)\npublic static Map<String, Class<? extends Fault>> faults()\npublic static Entry status(String id)\npublic static List<Entry> status()\npublic static void push(String name, InputStream jar)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: ProdigyTest\n\nclass_fields: \n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file prodigy-core/src/main/java/io/eiichiro/prodigy/Prodigy.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public static Entry status(String id) {\n if (id == null) {\n throw new IllegalArgumentException(\"Parameter 'id' is required\");\n }\n\n Entry entry = Prodigy.container().scheduler().get(id);\n\n if (entry == null) {\n throw new IllegalArgumentException(\"Fault id [\" + id + \"] not found\");\n }\n\n return entry;\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n prodigy-core/src/test/java/io/eiichiro/prodigy/ProdigyTest.java\n </TESTFILE7041>\n @Test\n\tpublic void testStatus() {\n\t\t// Parameter 'id' is not specified - IllegalArgumentException\n\t\ttry {\n\t\t\tProdigy.status(null);\n\t\t\tfail();\n\t\t} catch (IllegalArgumentException e) {\n\t\t\tassertThat(e.getMessage(), is(\"Parameter 'id' is required\"));\n\t\t}\n\n\t\t// 'id' is specified and corresponding entry not found - IllegalArgumentException\n\t\tScheduler scheduler = mock(Scheduler.class);\n\t\tdoReturn(null).when(scheduler).get(anyString());\n\t\tProdigy.container(new Container(scheduler, mock(Repository.class)));\n\n\t\ttry {\n\t\t\tProdigy.status(\"fault-id-2\");\n\t\t\tfail();\n\t\t} catch (IllegalArgumentException e) {\n\t\t\tassertThat(e.getMessage(), is(\"Fault id [fault-id-2] not found\"));\n\t\t}\n\n\t\t// 'id' is specified and corresponding entry found\n\t\tscheduler = mock(Scheduler.class);\n\t\tEntry entry = new Entry(\"fault-id-2\", \"fault-2\", \"ACTIVE\", \"{}\");\n\t\tdoReturn(entry).when(scheduler).get(anyString());\n\t\tProdigy.container(new Container(scheduler, mock(Repository.class)));\n\t\tassertSame(entry, Prodigy.status(\"fault-id-2\"));\n\n\t\t// 'id' is not specified\n\t\tscheduler = mock(Scheduler.class);\n\t\tList<Entry> entries = new ArrayList<>();\n\t\tentry = new Entry(\"fault-id-1\", \"fault-1\", \"ACTIVE\", \"{}\");\n\t\tentries.add(entry);\n\t\tdoReturn(entries).when(scheduler).list();\n\t\tProdigy.container(new Container(scheduler, mock(Repository.class)));\n\t\tassertSame(entries, Prodigy.status());\n\t}\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/adobe/aem-modernize-tools
java
bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/component/impl/ComponentTreeRewriter.java
bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/component/impl/ComponentTreeRewriterTest.java
public Node rewrite(Node root) throws RewriteException, RepositoryException { String rootPath = root.getPath(); logger.debug("Rewriting component's content tree rooted at {}", rootPath); long tick = System.currentTimeMillis(); Session session = root.getSession(); boolean success = false; Node startNode = root; try { Node parent = root.getParent(); boolean ordered = parent.getPrimaryNodeType().hasOrderableChildNodes(); NodeIterator siblings = parent.getNodes(); while (siblings.hasNext()) { Node node = siblings.nextNode(); // If this is the node to update. if (startNode.getPath().equals(node.getPath())) { // Apply the matching rule. for (ComponentRewriteRule rule : rules) { // check for a match if (rule.matches(node)) { logger.debug("Rule {} matched subtree rooted at {}", rule, node.getPath()); // the rule matched, rewrite the tree node = rule.applyTo(node, new HashSet<>()); startNode = node; break; } } } // Keep the parent in order as we are updating one of it's children. if (ordered) { parent.orderBefore(node.getName(), null); } } success = true; } finally { if (!success) { // an exception has been thrown: try to revert changes try { session.refresh(false); } catch (RepositoryException e) { logger.warn("Could not revert changes", e); } } } // save changes session.save(); long tack = System.currentTimeMillis(); logger.debug("Rewrote component tree rooted at {} in {} ms", rootPath, tack - tick); return startNode; }
rewrite
@Test public void testRewriteMaintainsOrder() throws Exception { Node rootNode = context.resourceResolver().getResource(ROOTS_PATH + "/level1/mapProperties").adaptTo(Node.class); List<ComponentRewriteRule> rules = componentRewriteRuleService.getRules(context.resourceResolver()); ComponentTreeRewriter rewriter = new ComponentTreeRewriter(rules); Node rewrittenNode = rewriter.rewrite(rootNode); assertEquals("map-property-3", rewrittenNode.getProperty("map-property-nested").getValue().getString()); Node level1 = context.resourceResolver().getResource(ROOTS_PATH + "/level1").adaptTo(Node.class); NodeIterator nit = level1.getNodes(); assertEquals("simple", nit.nextNode().getName()); assertEquals("mapProperties", nit.nextNode().getName()); assertEquals("rewriteProperties", nit.nextNode().getName()); assertEquals("rewriteMapChildren", nit.nextNode().getName()); }
testRewriteMaintainsOrder
[ "getPath", "debug", "currentTimeMillis", "getSession", "getParent", "hasOrderableChildNodes", "getPrimaryNodeType", "getNodes", "hasNext", "nextNode", "equals", "getPath", "getPath", "matches", "debug", "getPath", "applyTo", "orderBefore", "getName", "refresh", "warn", "save", "currentTimeMillis", "debug" ]
[ "adaptTo", "getResource", "resourceResolver", "getRules", "resourceResolver", "rewrite", "assertEquals", "getString", "getValue", "getProperty", "adaptTo", "getResource", "resourceResolver", "getNodes", "assertEquals", "getName", "nextNode", "assertEquals", "getName", "nextNode", "assertEquals", "getName", "nextNode", "assertEquals", "getName", "nextNode" ]
{ "class_fields": "private final String RULES_PATH = \"/libs/cq/modernize/component/rules\";\nprivate final String ROOTS_PATH = \"/libs/cq/modernize/component/content/roots\";\nprivate final String IMAGE_PATH = ROOTS_PATH + \"/binary/image/data\";\nprivate ComponentRewriteRuleService componentRewriteRuleService;\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);", "class_name": "ComponentTreeRewriterTest" }
{ "class_fields": "private Logger logger = LoggerFactory.getLogger(ComponentTreeRewriter.class);\nprivate List<ComponentRewriteRule> rules;", "class_name": "ComponentTreeRewriter", "method_signatures": "public ComponentTreeRewriter(List<ComponentRewriteRule> rules)\npublic Node rewrite(Node root)\nprivate void addPaths(Set<String> paths, Set<Node> nodes)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/component/impl/ComponentTreeRewriter.java for which to generate the test case is:\nclass_name: ComponentTreeRewriter\n\nclass_fields: private Logger logger = LoggerFactory.getLogger(ComponentTreeRewriter.class);\nprivate List<ComponentRewriteRule> rules;\n\nmethod_signatures: public ComponentTreeRewriter(List<ComponentRewriteRule> rules)\npublic Node rewrite(Node root)\nprivate void addPaths(Set<String> paths, Set<Node> nodes)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: ComponentTreeRewriterTest\n\nclass_fields: private final String RULES_PATH = \"/libs/cq/modernize/component/rules\";\nprivate final String ROOTS_PATH = \"/libs/cq/modernize/component/content/roots\";\nprivate final String IMAGE_PATH = ROOTS_PATH + \"/binary/image/data\";\nprivate ComponentRewriteRuleService componentRewriteRuleService;\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/component/impl/ComponentTreeRewriter.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public Node rewrite(Node root) throws RewriteException, RepositoryException {\n String rootPath = root.getPath();\n logger.debug(\"Rewriting component's content tree rooted at {}\", rootPath);\n\n long tick = System.currentTimeMillis();\n Session session = root.getSession();\n boolean success = false;\n Node startNode = root;\n try {\n Node parent = root.getParent();\n\n boolean ordered = parent.getPrimaryNodeType().hasOrderableChildNodes();\n NodeIterator siblings = parent.getNodes();\n while (siblings.hasNext()) {\n Node node = siblings.nextNode();\n\n // If this is the node to update.\n if (startNode.getPath().equals(node.getPath())) {\n\n // Apply the matching rule.\n for (ComponentRewriteRule rule : rules) {\n // check for a match\n if (rule.matches(node)) {\n logger.debug(\"Rule {} matched subtree rooted at {}\", rule, node.getPath());\n // the rule matched, rewrite the tree\n node = rule.applyTo(node, new HashSet<>());\n startNode = node;\n break;\n }\n }\n }\n\n // Keep the parent in order as we are updating one of it's children.\n if (ordered) {\n parent.orderBefore(node.getName(), null);\n }\n }\n success = true;\n } finally {\n if (!success) {\n // an exception has been thrown: try to revert changes\n try {\n session.refresh(false);\n } catch (RepositoryException e) {\n logger.warn(\"Could not revert changes\", e);\n }\n }\n }\n\n // save changes\n session.save();\n\n long tack = System.currentTimeMillis();\n logger.debug(\"Rewrote component tree rooted at {} in {} ms\", rootPath, tack - tick);\n\n return startNode;\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/component/impl/ComponentTreeRewriterTest.java\n </TESTFILE7041>\n @Test\n public void testRewriteMaintainsOrder() throws Exception {\n Node rootNode = context.resourceResolver().getResource(ROOTS_PATH + \"/level1/mapProperties\").adaptTo(Node.class);\n\n List<ComponentRewriteRule> rules = componentRewriteRuleService.getRules(context.resourceResolver());\n\n\n ComponentTreeRewriter rewriter = new ComponentTreeRewriter(rules);\n Node rewrittenNode = rewriter.rewrite(rootNode);\n\n assertEquals(\"map-property-3\", rewrittenNode.getProperty(\"map-property-nested\").getValue().getString());\n\n Node level1 = context.resourceResolver().getResource(ROOTS_PATH + \"/level1\").adaptTo(Node.class);\n NodeIterator nit = level1.getNodes();\n assertEquals(\"simple\", nit.nextNode().getName());\n assertEquals(\"mapProperties\", nit.nextNode().getName());\n assertEquals(\"rewriteProperties\", nit.nextNode().getName());\n assertEquals(\"rewriteMapChildren\", nit.nextNode().getName());\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/CodeQInvest/codeq-invest
java
web-ui/src/main/java/org/codeqinvest/web/project/InvestmentOpportunitiesJsonGenerator.java
web-ui/src/test/java/org/codeqinvest/web/project/InvestmentOpportunitiesJsonGeneratorTest.java
public String generate(QualityAnalysis analysis) throws JsonProcessingException { Set<String> alreadyAddedArtefacts = Sets.newHashSet(); Map<String, PackageNode> nodeLookupTable = Maps.newHashMap(); RootNode rootNode = new RootNode(analysis.getProject().getName()); for (QualityViolation violation : analysis.getViolations()) { addArtefact(violation, rootNode, alreadyAddedArtefacts, nodeLookupTable); } rootNode.filterProfitableChildren(); rootNode.updateChangeProbabilityOfProfitableChildren(); rootNode.updateAutomaticChangeProbabilityAndEstimateOfAllChildren(); return MAPPER.writeValueAsString(rootNode); }
generate
@Test public void emptyAnalysis() throws IOException { QualityAnalysis analysis = QualityAnalysis.success(project, Collections.<QualityViolation>emptyList()); String expectedJson = "{ \"name\": \"Dummy Project\", \"allChildren\": [], \"children\": []}"; assertThat(generate(analysis).toString()).isEqualTo(mapper.readTree(expectedJson).toString()); }
emptyAnalysis
[ "newHashSet", "newHashMap", "getName", "getProject", "getViolations", "addArtefact", "filterProfitableChildren", "updateChangeProbabilityOfProfitableChildren", "updateAutomaticChangeProbabilityAndEstimateOfAllChildren", "writeValueAsString" ]
[ "success", "emptyList", "isEqualTo", "assertThat", "toString", "generate", "toString", "readTree" ]
{ "class_fields": "private InvestmentOpportunitiesJsonGenerator generator;\nprivate WeightedProfitCalculator weightedProfitCalculator;\nprivate Project project;\nprivate ObjectMapper mapper;", "class_name": "InvestmentOpportunitiesJsonGeneratorTest" }
{ "class_fields": "private static final ObjectMapper MAPPER = new ObjectMapper();\nprivate static final Splitter PACKAGE_SPLITTER = Splitter.on('.');\nprivate final WeightedProfitCalculator weightedProfitCalculator;", "class_name": "InvestmentOpportunitiesJsonGenerator", "method_signatures": "@Autowired InvestmentOpportunitiesJsonGenerator(WeightedProfitCalculator weightedProfitCalculator)\npublic String generate(QualityAnalysis analysis)\nprivate void addArtefact(QualityViolation violation, RootNode root, Set<String> alreadyAddedArtefacts, Map<String, PackageNode> nodeLookupTable)\nprivate String getLastPackageName(String packageName)\nprivate List<String> getAllPackageNamesReversed(Artefact artefact)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: web-ui/src/main/java/org/codeqinvest/web/project/InvestmentOpportunitiesJsonGenerator.java for which to generate the test case is:\nclass_name: InvestmentOpportunitiesJsonGenerator\n\nclass_fields: private static final ObjectMapper MAPPER = new ObjectMapper();\nprivate static final Splitter PACKAGE_SPLITTER = Splitter.on('.');\nprivate final WeightedProfitCalculator weightedProfitCalculator;\n\nmethod_signatures: @Autowired InvestmentOpportunitiesJsonGenerator(WeightedProfitCalculator weightedProfitCalculator)\npublic String generate(QualityAnalysis analysis)\nprivate void addArtefact(QualityViolation violation, RootNode root, Set<String> alreadyAddedArtefacts, Map<String, PackageNode> nodeLookupTable)\nprivate String getLastPackageName(String packageName)\nprivate List<String> getAllPackageNamesReversed(Artefact artefact)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: InvestmentOpportunitiesJsonGeneratorTest\n\nclass_fields: private InvestmentOpportunitiesJsonGenerator generator;\nprivate WeightedProfitCalculator weightedProfitCalculator;\nprivate Project project;\nprivate ObjectMapper mapper;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file web-ui/src/main/java/org/codeqinvest/web/project/InvestmentOpportunitiesJsonGenerator.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public String generate(QualityAnalysis analysis) throws JsonProcessingException {\n Set<String> alreadyAddedArtefacts = Sets.newHashSet();\n Map<String, PackageNode> nodeLookupTable = Maps.newHashMap();\n RootNode rootNode = new RootNode(analysis.getProject().getName());\n\n for (QualityViolation violation : analysis.getViolations()) {\n addArtefact(violation, rootNode, alreadyAddedArtefacts, nodeLookupTable);\n }\n\n rootNode.filterProfitableChildren();\n rootNode.updateChangeProbabilityOfProfitableChildren();\n rootNode.updateAutomaticChangeProbabilityAndEstimateOfAllChildren();\n return MAPPER.writeValueAsString(rootNode);\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n web-ui/src/test/java/org/codeqinvest/web/project/InvestmentOpportunitiesJsonGeneratorTest.java\n </TESTFILE7041>\n @Test\n public void emptyAnalysis() throws IOException {\n QualityAnalysis analysis = QualityAnalysis.success(project, Collections.<QualityViolation>emptyList());\n String expectedJson = \"{ \\\"name\\\": \\\"Dummy Project\\\", \\\"allChildren\\\": [], \\\"children\\\": []}\";\n assertThat(generate(analysis).toString()).isEqualTo(mapper.readTree(expectedJson).toString());\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/universum-studios/android_widget_adapters
java
library-module-header/src/main/java/universum/studios/android/widget/adapter/module/HeadersModule.java
library-module-header/src/test/java/universum/studios/android/widget/adapter/module/HeadersModuleTest.java
@Nullable protected H removeHeader(final int position) { final H header = headers.get(position); this.headers.remove(position); return header; }
removeHeader
@Test public void testRemoveHeaderOnEmptyHeaders() { // Arrange: // Only ensure that removing of not existing header does not cause any troubles. final TestModule module = new TestModule(); // Act + Assert: for (int i = 0; i < 10; i++) { assertThat(module.removeHeader(i), is(nullValue())); } }
testRemoveHeaderOnEmptyHeaders
[ "get", "remove" ]
[ "assertThat", "removeHeader", "is", "nullValue" ]
{ "class_fields": "", "class_name": "HeadersModuleTest extends RobolectricTestCase" }
{ "class_fields": "private final SparseArray<H> headers = new SparseArray<>(10);\nprivate int headerStyleAttr = android.R.attr.textViewStyle;", "class_name": "HeadersModule extends AdapterModule", "method_signatures": "public boolean isEmpty()\npublic int size()\nprotected void putHeader(final int position, @NonNull final H header)\npublic boolean isHeaderAt(final int position)\n@Nullable public H getHeader(final int position)\n@NonNull public SparseArray<H> getHeaders()\n@Nullable protected H removeHeader(final int position)\npublic void clearHeaders()\npublic int correctPosition(final int position)\npublic int countHeadersBeforePosition(final int position)\npublic void setHeaderStyleAttr(@AttrRes final int styleAttr)\n@AttrRes public int getHeaderStyleAttr()\n@NonNull public abstract VH createViewHolder(@NonNull ViewGroup parent, int viewType)\n@NonNull public final SimpleHeaderHolder createSimpleHeaderHolder(@NonNull ViewGroup parent)\npublic abstract void bindViewHolder(@NonNull VH viewHolder, int position)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: library-module-header/src/main/java/universum/studios/android/widget/adapter/module/HeadersModule.java for which to generate the test case is:\nclass_name: HeadersModule extends AdapterModule\n\nclass_fields: private final SparseArray<H> headers = new SparseArray<>(10);\nprivate int headerStyleAttr = android.R.attr.textViewStyle;\n\nmethod_signatures: public boolean isEmpty()\npublic int size()\nprotected void putHeader(final int position, @NonNull final H header)\npublic boolean isHeaderAt(final int position)\n@Nullable public H getHeader(final int position)\n@NonNull public SparseArray<H> getHeaders()\n@Nullable protected H removeHeader(final int position)\npublic void clearHeaders()\npublic int correctPosition(final int position)\npublic int countHeadersBeforePosition(final int position)\npublic void setHeaderStyleAttr(@AttrRes final int styleAttr)\n@AttrRes public int getHeaderStyleAttr()\n@NonNull public abstract VH createViewHolder(@NonNull ViewGroup parent, int viewType)\n@NonNull public final SimpleHeaderHolder createSimpleHeaderHolder(@NonNull ViewGroup parent)\npublic abstract void bindViewHolder(@NonNull VH viewHolder, int position)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: HeadersModuleTest extends RobolectricTestCase\n\nclass_fields: \n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file library-module-header/src/main/java/universum/studios/android/widget/adapter/module/HeadersModule.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Nullable protected H removeHeader(final int position) {\n\t\tfinal H header = headers.get(position);\n\t\tthis.headers.remove(position);\n\t\treturn header;\n\t}\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n library-module-header/src/test/java/universum/studios/android/widget/adapter/module/HeadersModuleTest.java\n </TESTFILE7041>\n @Test public void testRemoveHeaderOnEmptyHeaders() {\n\t\t// Arrange:\n\t\t// Only ensure that removing of not existing header does not cause any troubles.\n\t\tfinal TestModule module = new TestModule();\n\t\t// Act + Assert:\n\t\tfor (int i = 0; i < 10; i++) {\n\t\t\tassertThat(module.removeHeader(i), is(nullValue()));\n\t\t}\n\t}\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/CodeQInvest/codeq-invest
java
quality-assessment/src/main/java/org/codeqinvest/quality/analysis/DefaultQualityAnalyzerService.java
quality-assessment/src/test/java/org/codeqinvest/quality/analysis/DefaultQualityAnalyzerServiceTest.java
@Override public QualityAnalysis analyzeProject(Project project) { try { ViolationsAnalysisResult violationsAnalysisResult = violationsCalculatorService.calculateAllViolation(project); if (!violationsAnalysisResult.isSuccessful()) { log.error("Quality analysis for project {} failed due '{}'", project.getName(), violationsAnalysisResult.getFailureReason().get()); return qualityAnalysisRepository.save(QualityAnalysis.failed(project, zeroCostsForEachViolation(violationsAnalysisResult), violationsAnalysisResult.getFailureReason().get())); } log.info("Checking the availability of the SCM system {} for project {}", project.getScmSettings(), project.getName()); if (!scmAvailabilityCheckerServiceFactory.create(project.getScmSettings()).isAvailable(project.getScmSettings())) { return qualityAnalysisRepository.save(QualityAnalysis.failed(project, zeroCostsForEachViolation(violationsAnalysisResult), "The scm system is not available.")); } QualityAnalysis qualityAnalysis = addChangeProbabilityToEachArtifact(project, violationsAnalysisResult); if (!qualityAnalysis.isSuccessful()) { return qualityAnalysisRepository.save(qualityAnalysis); } qualityAnalysis = addSecureChangeProbabilityToEachArtifact(project, qualityAnalysis); log.info("Quality analysis succeeded for project {} with {} violations.", project.getName(), violationsAnalysisResult.getViolations().size()); return qualityAnalysisRepository.save(qualityAnalysis); } catch (Exception e) { String errorMessage = "Unexpected error occured during quality analysis!"; log.error(errorMessage, e); return QualityAnalysis.failed(project, new ArrayList<QualityViolation>(), errorMessage); } }
analyzeProject
@Test public void failedAnalysisWhenProblemWithCodeChurnCalculationOccurred() throws CodeChurnCalculationException, ScmConnectionEncodingException { QualityAnalyzerService qualityAnalyzerService = createMockedSystemThatThrowsExceptionInCodeChangeCalculation(CodeChurnCalculationException.class); QualityAnalysis analysis = qualityAnalyzerService.analyzeProject(project); assertThat(analysis.isSuccessful()).isFalse(); }
failedAnalysisWhenProblemWithCodeChurnCalculationOccurred
[ "calculateAllViolation", "isSuccessful", "error", "getName", "get", "getFailureReason", "save", "failed", "zeroCostsForEachViolation", "get", "getFailureReason", "info", "getScmSettings", "getName", "isAvailable", "create", "getScmSettings", "getScmSettings", "save", "failed", "zeroCostsForEachViolation", "addChangeProbabilityToEachArtifact", "isSuccessful", "save", "addSecureChangeProbabilityToEachArtifact", "info", "getName", "size", "getViolations", "save", "error", "failed" ]
[ "createMockedSystemThatThrowsExceptionInCodeChangeCalculation", "analyzeProject", "isFalse", "assertThat", "isSuccessful" ]
{ "class_fields": "private QualityProfile profile;\nprivate QualityRequirement firstRequirement;\nprivate QualityRequirement secondRequirement;\nprivate Project project;\nprivate ScmAvailabilityCheckerServiceFactory scmAvailabilityCheckerServiceFactory;\nprivate SecureChangeProbabilityCalculator secureChangeProbabilityCalculator;\nprivate QualityViolationCostsCalculator costsCalculator;\nprivate QualityAnalysisRepository qualityAnalysisRepository;", "class_name": "DefaultQualityAnalyzerServiceTest" }
{ "class_fields": "private final ViolationsCalculatorService violationsCalculatorService;\nprivate final ScmAvailabilityCheckerServiceFactory scmAvailabilityCheckerServiceFactory;\nprivate final CodeChangeProbabilityCalculatorFactory codeChangeProbabilityCalculatorFactory;\nprivate final SecureChangeProbabilityCalculator secureChangeProbabilityCalculator;\nprivate final QualityViolationCostsCalculator costsCalculator;\nprivate final QualityAnalysisRepository qualityAnalysisRepository;", "class_name": "DefaultQualityAnalyzerService implements QualityAnalyzerService", "method_signatures": "@Autowired public DefaultQualityAnalyzerService(ViolationsCalculatorService violationsCalculatorService,\n ScmAvailabilityCheckerServiceFactory scmAvailabilityCheckerServiceFactory,\n CodeChangeProbabilityCalculatorFactory codeChangeProbabilityCalculatorFactory,\n SecureChangeProbabilityCalculator secureChangeProbabilityCalculator,\n QualityViolationCostsCalculator costsCalculator,\n QualityAnalysisRepository qualityAnalysisRepository)\n@Override public QualityAnalysis analyzeProject(Project project)\nprivate QualityAnalysis addChangeProbabilityToEachArtifact(Project project, ViolationsAnalysisResult violationsAnalysisResult)\nprivate QualityAnalysis addSecureChangeProbabilityToEachArtifact(Project project, QualityAnalysis qualityAnalysis)\nprivate void logFailedAnalysis(Project project, Exception e)\nprivate List<QualityViolation> calculateCostsForEachViolation(SonarConnectionSettings sonarConnectionSettings, ViolationsAnalysisResult violationsAnalysisResult)\nprivate List<QualityViolation> zeroCostsForEachViolation(ViolationsAnalysisResult violationsAnalysisResult)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: quality-assessment/src/main/java/org/codeqinvest/quality/analysis/DefaultQualityAnalyzerService.java for which to generate the test case is:\nclass_name: DefaultQualityAnalyzerService implements QualityAnalyzerService\n\nclass_fields: private final ViolationsCalculatorService violationsCalculatorService;\nprivate final ScmAvailabilityCheckerServiceFactory scmAvailabilityCheckerServiceFactory;\nprivate final CodeChangeProbabilityCalculatorFactory codeChangeProbabilityCalculatorFactory;\nprivate final SecureChangeProbabilityCalculator secureChangeProbabilityCalculator;\nprivate final QualityViolationCostsCalculator costsCalculator;\nprivate final QualityAnalysisRepository qualityAnalysisRepository;\n\nmethod_signatures: @Autowired public DefaultQualityAnalyzerService(ViolationsCalculatorService violationsCalculatorService,\n ScmAvailabilityCheckerServiceFactory scmAvailabilityCheckerServiceFactory,\n CodeChangeProbabilityCalculatorFactory codeChangeProbabilityCalculatorFactory,\n SecureChangeProbabilityCalculator secureChangeProbabilityCalculator,\n QualityViolationCostsCalculator costsCalculator,\n QualityAnalysisRepository qualityAnalysisRepository)\n@Override public QualityAnalysis analyzeProject(Project project)\nprivate QualityAnalysis addChangeProbabilityToEachArtifact(Project project, ViolationsAnalysisResult violationsAnalysisResult)\nprivate QualityAnalysis addSecureChangeProbabilityToEachArtifact(Project project, QualityAnalysis qualityAnalysis)\nprivate void logFailedAnalysis(Project project, Exception e)\nprivate List<QualityViolation> calculateCostsForEachViolation(SonarConnectionSettings sonarConnectionSettings, ViolationsAnalysisResult violationsAnalysisResult)\nprivate List<QualityViolation> zeroCostsForEachViolation(ViolationsAnalysisResult violationsAnalysisResult)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: DefaultQualityAnalyzerServiceTest\n\nclass_fields: private QualityProfile profile;\nprivate QualityRequirement firstRequirement;\nprivate QualityRequirement secondRequirement;\nprivate Project project;\nprivate ScmAvailabilityCheckerServiceFactory scmAvailabilityCheckerServiceFactory;\nprivate SecureChangeProbabilityCalculator secureChangeProbabilityCalculator;\nprivate QualityViolationCostsCalculator costsCalculator;\nprivate QualityAnalysisRepository qualityAnalysisRepository;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file quality-assessment/src/main/java/org/codeqinvest/quality/analysis/DefaultQualityAnalyzerService.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public QualityAnalysis analyzeProject(Project project) {\n try {\n ViolationsAnalysisResult violationsAnalysisResult = violationsCalculatorService.calculateAllViolation(project);\n if (!violationsAnalysisResult.isSuccessful()) {\n log.error(\"Quality analysis for project {} failed due '{}'\", project.getName(), violationsAnalysisResult.getFailureReason().get());\n return qualityAnalysisRepository.save(QualityAnalysis.failed(project,\n zeroCostsForEachViolation(violationsAnalysisResult),\n violationsAnalysisResult.getFailureReason().get()));\n }\n\n log.info(\"Checking the availability of the SCM system {} for project {}\", project.getScmSettings(), project.getName());\n if (!scmAvailabilityCheckerServiceFactory.create(project.getScmSettings()).isAvailable(project.getScmSettings())) {\n return qualityAnalysisRepository.save(QualityAnalysis.failed(project,\n zeroCostsForEachViolation(violationsAnalysisResult), \"The scm system is not available.\"));\n }\n\n QualityAnalysis qualityAnalysis = addChangeProbabilityToEachArtifact(project, violationsAnalysisResult);\n if (!qualityAnalysis.isSuccessful()) {\n return qualityAnalysisRepository.save(qualityAnalysis);\n }\n\n qualityAnalysis = addSecureChangeProbabilityToEachArtifact(project, qualityAnalysis);\n log.info(\"Quality analysis succeeded for project {} with {} violations.\", project.getName(), violationsAnalysisResult.getViolations().size());\n return qualityAnalysisRepository.save(qualityAnalysis);\n } catch (Exception e) {\n String errorMessage = \"Unexpected error occured during quality analysis!\";\n log.error(errorMessage, e);\n return QualityAnalysis.failed(project, new ArrayList<QualityViolation>(), errorMessage);\n }\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n quality-assessment/src/test/java/org/codeqinvest/quality/analysis/DefaultQualityAnalyzerServiceTest.java\n </TESTFILE7041>\n @Test\n public void failedAnalysisWhenProblemWithCodeChurnCalculationOccurred() throws CodeChurnCalculationException, ScmConnectionEncodingException {\n QualityAnalyzerService qualityAnalyzerService = createMockedSystemThatThrowsExceptionInCodeChangeCalculation(CodeChurnCalculationException.class);\n QualityAnalysis analysis = qualityAnalyzerService.analyzeProject(project);\n assertThat(analysis.isSuccessful()).isFalse();\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/adobe/aem-modernize-tools
java
bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/dialog/DialogRewriteUtils.java
bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/dialog/DialogRewriteUtilsTest.java
public static DialogType getDialogType(Node node) throws RepositoryException { DialogType type = DialogType.UNKNOWN; if (node == null) { return type; } String name = node.getName(); if (Arrays.asList(CLASSIC_DIALOG_NAMES).contains(name) && NT_DIALOG.equals(node.getPrimaryNodeType().getName())) { type = DialogType.CLASSIC; } else if (Arrays.asList(DIALOG_NAMES).contains(name) && node.hasNode("content")) { Node contentNode = node.getNode("content"); type = DialogType.CORAL_2; if (contentNode != null) { if (contentNode.hasProperty(ResourceResolver.PROPERTY_RESOURCE_TYPE)) { String resourceType = contentNode.getProperty(ResourceResolver.PROPERTY_RESOURCE_TYPE).getString(); type = resourceType.startsWith(DIALOG_CONTENT_RESOURCETYPE_PREFIX_CORAL3) ? DialogType.CORAL_3 : DialogType.CORAL_2; } } } return type; }
getDialogType
@Test public void testGetDialogTypeCoral2() throws Exception { boolean allCoral2 = false; String[] coral2DialogPaths = { DIALOGS_ROOT + "/coral2/cq:dialog", DIALOGS_ROOT + "/coral2/cq:design_dialog", DIALOGS_ROOT + "/backupsnoreplacementdiscarded/cq:dialog.coral2", DIALOGS_ROOT + "/backupsnoreplacementdiscarded/cq:design_dialog.coral2", DIALOGS_ROOT + "/level1/classicandcoral2/cq:dialog", DIALOGS_ROOT + "/level1/classicandcoral2/cq:design_dialog" }; for (String path: coral2DialogPaths) { Resource resource = context.resourceResolver().getResource(path); Node node = resource.adaptTo(Node.class); DialogType type = DialogRewriteUtils.getDialogType(node); allCoral2 = (type == DialogType.CORAL_2); if (!allCoral2) { break; } } assertTrue(allCoral2); }
testGetDialogTypeCoral2
[ "getName", "contains", "asList", "equals", "getName", "getPrimaryNodeType", "contains", "asList", "hasNode", "getNode", "hasProperty", "getString", "getProperty", "startsWith" ]
[ "getResource", "resourceResolver", "adaptTo", "getDialogType", "assertTrue" ]
{ "class_fields": "private static final String DIALOGS_ROOT = \"/libs/cq/dialogconversion/content/dialogs\";\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_MOCK);", "class_name": "DialogRewriteUtilsTest" }
{ "class_fields": "public static final String CORAL_2_BACKUP_SUFFIX = \".coral2\";\npublic static final String NT_DIALOG = \"cq:Dialog\";\npublic static final String NN_CQ_DIALOG = \"cq:dialog\";\npublic static final String NN_CQ_DESIGN_DIALOG = \"cq:design_dialog\";\npublic static final String DIALOG_CONTENT_RESOURCETYPE_PREFIX_CORAL3 = \"granite/ui/components/coral/foundation\";\nprivate static final String[] CLASSIC_DIALOG_NAMES = {NameConstants.NN_DIALOG, NameConstants.NN_DESIGN_DIALOG};\nprivate static final String[] DIALOG_NAMES = {NN_CQ_DIALOG, NN_CQ_DESIGN_DIALOG, NN_CQ_DIALOG + CORAL_2_BACKUP_SUFFIX, NN_CQ_DESIGN_DIALOG + CORAL_2_BACKUP_SUFFIX};", "class_name": "DialogRewriteUtils", "method_signatures": "public static boolean hasXtype(Node node, String xtype)\npublic static boolean hasType(Node node, String type)\npublic static Property copyProperty(Node source, String relPropertyPath, Node destination, String name)\npublic static DialogType getDialogType(Node node)\npublic static boolean isDesignDialog(Node node)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/dialog/DialogRewriteUtils.java for which to generate the test case is:\nclass_name: DialogRewriteUtils\n\nclass_fields: public static final String CORAL_2_BACKUP_SUFFIX = \".coral2\";\npublic static final String NT_DIALOG = \"cq:Dialog\";\npublic static final String NN_CQ_DIALOG = \"cq:dialog\";\npublic static final String NN_CQ_DESIGN_DIALOG = \"cq:design_dialog\";\npublic static final String DIALOG_CONTENT_RESOURCETYPE_PREFIX_CORAL3 = \"granite/ui/components/coral/foundation\";\nprivate static final String[] CLASSIC_DIALOG_NAMES = {NameConstants.NN_DIALOG, NameConstants.NN_DESIGN_DIALOG};\nprivate static final String[] DIALOG_NAMES = {NN_CQ_DIALOG, NN_CQ_DESIGN_DIALOG, NN_CQ_DIALOG + CORAL_2_BACKUP_SUFFIX, NN_CQ_DESIGN_DIALOG + CORAL_2_BACKUP_SUFFIX};\n\nmethod_signatures: public static boolean hasXtype(Node node, String xtype)\npublic static boolean hasType(Node node, String type)\npublic static Property copyProperty(Node source, String relPropertyPath, Node destination, String name)\npublic static DialogType getDialogType(Node node)\npublic static boolean isDesignDialog(Node node)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: DialogRewriteUtilsTest\n\nclass_fields: private static final String DIALOGS_ROOT = \"/libs/cq/dialogconversion/content/dialogs\";\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_MOCK);\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/dialog/DialogRewriteUtils.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public static DialogType getDialogType(Node node) throws RepositoryException {\n DialogType type = DialogType.UNKNOWN;\n\n if (node == null) {\n return type;\n }\n\n String name = node.getName();\n\n if (Arrays.asList(CLASSIC_DIALOG_NAMES).contains(name) && NT_DIALOG.equals(node.getPrimaryNodeType().getName())) {\n type = DialogType.CLASSIC;\n } else if (Arrays.asList(DIALOG_NAMES).contains(name) && node.hasNode(\"content\")) {\n Node contentNode = node.getNode(\"content\");\n type = DialogType.CORAL_2;\n\n if (contentNode != null) {\n if (contentNode.hasProperty(ResourceResolver.PROPERTY_RESOURCE_TYPE)) {\n String resourceType = contentNode.getProperty(ResourceResolver.PROPERTY_RESOURCE_TYPE).getString();\n type = resourceType.startsWith(DIALOG_CONTENT_RESOURCETYPE_PREFIX_CORAL3) ? DialogType.CORAL_3 : DialogType.CORAL_2;\n }\n }\n }\n\n return type;\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/dialog/DialogRewriteUtilsTest.java\n </TESTFILE7041>\n @Test\n public void testGetDialogTypeCoral2() throws Exception {\n boolean allCoral2 = false;\n\n String[] coral2DialogPaths = {\n DIALOGS_ROOT + \"/coral2/cq:dialog\",\n DIALOGS_ROOT + \"/coral2/cq:design_dialog\",\n DIALOGS_ROOT + \"/backupsnoreplacementdiscarded/cq:dialog.coral2\",\n DIALOGS_ROOT + \"/backupsnoreplacementdiscarded/cq:design_dialog.coral2\",\n DIALOGS_ROOT + \"/level1/classicandcoral2/cq:dialog\",\n DIALOGS_ROOT + \"/level1/classicandcoral2/cq:design_dialog\"\n };\n\n for (String path: coral2DialogPaths) {\n Resource resource = context.resourceResolver().getResource(path);\n Node node = resource.adaptTo(Node.class);\n DialogType type = DialogRewriteUtils.getDialogType(node);\n allCoral2 = (type == DialogType.CORAL_2);\n if (!allCoral2) {\n break;\n }\n }\n\n assertTrue(allCoral2);\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/adobe/aem-modernize-tools
java
bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/ParsysRewriteRule.java
bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/rules/ParsysRewriteRuleTest.java
@Override public boolean matches(Node root) throws RepositoryException { if (!root.hasProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY)) { return false; } try { String resourceType = root.getProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY).getString(); return PARSYS_RESOURCE_TYPE.equals(resourceType); } catch (RepositoryException ex) { logger.error("Error looking up sling:resourceType: {}", ex.getMessage()); } return false; }
matches
@Test public void testMatches() throws Exception { Node rootNode = context.resourceResolver().getResource(ROOTS_PATH + "/matches/jcr:content/par").adaptTo(Node.class); ParsysRewriteRule rule = new ParsysRewriteRule(); assertTrue(rule.matches(rootNode)); }
testMatches
[ "hasProperty", "getString", "getProperty", "equals", "error", "getMessage" ]
[ "adaptTo", "getResource", "resourceResolver", "assertTrue", "matches" ]
{ "class_fields": "private final String ROOTS_PATH = \"/libs/cq/modernize/templatestructure/content/roots\";\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);", "class_name": "ParsysRewriteRuleTest" }
{ "class_fields": "private static final Logger logger = LoggerFactory.getLogger(ParsysRewriteRule.class);\nprivate static final String PARSYS_RESOURCE_TYPE = \"foundation/components/parsys\";\nprivate int ranking = Integer.MAX_VALUE;", "class_name": "ParsysRewriteRule implements StructureRewriteRule", "method_signatures": "@Override public boolean matches(Node root)\n@Override public Node applyTo(Node root, Set<Node> finalNodes)\n@Activate protected void activate(ComponentContext context)\n@Override public int getRanking()" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/ParsysRewriteRule.java for which to generate the test case is:\nclass_name: ParsysRewriteRule implements StructureRewriteRule\n\nclass_fields: private static final Logger logger = LoggerFactory.getLogger(ParsysRewriteRule.class);\nprivate static final String PARSYS_RESOURCE_TYPE = \"foundation/components/parsys\";\nprivate int ranking = Integer.MAX_VALUE;\n\nmethod_signatures: @Override public boolean matches(Node root)\n@Override public Node applyTo(Node root, Set<Node> finalNodes)\n@Activate protected void activate(ComponentContext context)\n@Override public int getRanking()\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: ParsysRewriteRuleTest\n\nclass_fields: private final String ROOTS_PATH = \"/libs/cq/modernize/templatestructure/content/roots\";\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/ParsysRewriteRule.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public boolean matches(Node root) throws RepositoryException {\n if (!root.hasProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY)) {\n return false;\n }\n try {\n String resourceType = root.getProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY).getString();\n return PARSYS_RESOURCE_TYPE.equals(resourceType);\n } catch (RepositoryException ex) {\n logger.error(\"Error looking up sling:resourceType: {}\", ex.getMessage());\n }\n\n return false;\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/rules/ParsysRewriteRuleTest.java\n </TESTFILE7041>\n @Test\n public void testMatches() throws Exception {\n Node rootNode = context.resourceResolver().getResource(ROOTS_PATH + \"/matches/jcr:content/par\").adaptTo(Node.class);\n ParsysRewriteRule rule = new ParsysRewriteRule();\n assertTrue(rule.matches(rootNode));\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/adobe/aem-modernize-tools
java
bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/StructureRewriteRuleServiceImpl.java
bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/StructureRewriteRuleServiceImplTest.java
@Override public Set<String> getTemplates() { Set<String> templates = new HashSet<>(pageRules.size()); for (PageStructureRewriteRule r : pageRules) { templates.add(r.getStaticTemplate()); } return templates; }
getTemplates
@Test public void testGetTemplate() { Set<String> templates = structureRewriteRuleService.getTemplates(); assertEquals(2, templates.size()); assertTrue(templates.contains(STATIC_HOME_TEMPLATE)); assertTrue(templates.contains(STATIC_PRODUCT_TEMPLATE)); }
testGetTemplate
[ "size", "add", "getStaticTemplate" ]
[ "getTemplates", "assertEquals", "size", "assertTrue", "contains", "assertTrue", "contains" ]
{ "class_fields": "private static final String STATIC_HOME_TEMPLATE = \"/apps/geometrixx/templates/homepage\";\nprivate static final String STATIC_PRODUCT_TEMPLATE = \"/apps/geometrixx/templates/productpage\";\nprivate static final String EDITABLE_TEMPLATE = \"/conf/geodemo/settings/wcm/templates/geometrixx-demo-home-page\";\nprivate static final String SLING_RESOURCE_TYPE = \"geodemo/components/structure/page\";\nprivate static final String LAYOUT_VALUE = \"2;cq-colctrl-lt0\";\nprivate static final String[] COLUMN_WIDTHS = {\"6\", \"6\"};\nprivate StructureRewriteRuleService structureRewriteRuleService;\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\nprivate BundleContext bundleContext;\nList<StructureRewriteRule> rules = new ArrayList<>();", "class_name": "StructureRewriteRuleServiceImplTest" }
{ "class_fields": "private Logger logger = LoggerFactory.getLogger(StructureRewriteRuleServiceImpl.class);\n@Reference(\n referenceInterface = StructureRewriteRule.class,\n cardinality = ReferenceCardinality.OPTIONAL_MULTIPLE,\n policy = ReferencePolicy.DYNAMIC,\n bind = \"bindRule\",\n unbind = \"unbindRule\"\n )\n private List<StructureRewriteRule> rules = Collections.synchronizedList(new LinkedList<>());\n@Reference(\n referenceInterface = PageStructureRewriteRule.class,\n cardinality = ReferenceCardinality.OPTIONAL_MULTIPLE,\n policy = ReferencePolicy.DYNAMIC,\n bind = \"bindPageRule\",\n unbind = \"unbindPageRule\"\n )\n private List<PageStructureRewriteRule> pageRules = Collections.synchronizedList(new LinkedList<>());", "class_name": "StructureRewriteRuleServiceImpl implements StructureRewriteRuleService", "method_signatures": "@SuppressWarnings(\"unused\") public void bindRule(StructureRewriteRule rule)\n@SuppressWarnings(\"unused\") public void unbindRule(StructureRewriteRule rule)\n@SuppressWarnings(\"unused\") public void bindPageRule(PageStructureRewriteRule rule)\n@SuppressWarnings(\"unused\") public void unbindPageRule(PageStructureRewriteRule rule)\n@Override public Set<String> getTemplates()\n@Override public List<StructureRewriteRule> getRules(ResourceResolver resolver)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/StructureRewriteRuleServiceImpl.java for which to generate the test case is:\nclass_name: StructureRewriteRuleServiceImpl implements StructureRewriteRuleService\n\nclass_fields: private Logger logger = LoggerFactory.getLogger(StructureRewriteRuleServiceImpl.class);\n@Reference(\n referenceInterface = StructureRewriteRule.class,\n cardinality = ReferenceCardinality.OPTIONAL_MULTIPLE,\n policy = ReferencePolicy.DYNAMIC,\n bind = \"bindRule\",\n unbind = \"unbindRule\"\n )\n private List<StructureRewriteRule> rules = Collections.synchronizedList(new LinkedList<>());\n@Reference(\n referenceInterface = PageStructureRewriteRule.class,\n cardinality = ReferenceCardinality.OPTIONAL_MULTIPLE,\n policy = ReferencePolicy.DYNAMIC,\n bind = \"bindPageRule\",\n unbind = \"unbindPageRule\"\n )\n private List<PageStructureRewriteRule> pageRules = Collections.synchronizedList(new LinkedList<>());\n\nmethod_signatures: @SuppressWarnings(\"unused\") public void bindRule(StructureRewriteRule rule)\n@SuppressWarnings(\"unused\") public void unbindRule(StructureRewriteRule rule)\n@SuppressWarnings(\"unused\") public void bindPageRule(PageStructureRewriteRule rule)\n@SuppressWarnings(\"unused\") public void unbindPageRule(PageStructureRewriteRule rule)\n@Override public Set<String> getTemplates()\n@Override public List<StructureRewriteRule> getRules(ResourceResolver resolver)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: StructureRewriteRuleServiceImplTest\n\nclass_fields: private static final String STATIC_HOME_TEMPLATE = \"/apps/geometrixx/templates/homepage\";\nprivate static final String STATIC_PRODUCT_TEMPLATE = \"/apps/geometrixx/templates/productpage\";\nprivate static final String EDITABLE_TEMPLATE = \"/conf/geodemo/settings/wcm/templates/geometrixx-demo-home-page\";\nprivate static final String SLING_RESOURCE_TYPE = \"geodemo/components/structure/page\";\nprivate static final String LAYOUT_VALUE = \"2;cq-colctrl-lt0\";\nprivate static final String[] COLUMN_WIDTHS = {\"6\", \"6\"};\nprivate StructureRewriteRuleService structureRewriteRuleService;\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\nprivate BundleContext bundleContext;\nList<StructureRewriteRule> rules = new ArrayList<>();\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/StructureRewriteRuleServiceImpl.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public Set<String> getTemplates() {\n Set<String> templates = new HashSet<>(pageRules.size());\n for (PageStructureRewriteRule r : pageRules) {\n templates.add(r.getStaticTemplate());\n }\n return templates;\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/StructureRewriteRuleServiceImplTest.java\n </TESTFILE7041>\n @Test\n public void testGetTemplate() {\n\n Set<String> templates = structureRewriteRuleService.getTemplates();\n assertEquals(2, templates.size());\n assertTrue(templates.contains(STATIC_HOME_TEMPLATE));\n assertTrue(templates.contains(STATIC_PRODUCT_TEMPLATE));\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/adobe/aem-modernize-tools
java
bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/datasources/PageDataSource.java
bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/datasources/PageDataSourceTest.java
@Override protected void doGet(SlingHttpServletRequest request, SlingHttpServletResponse response) throws ServletException, IOException { try { Resource resource = request.getResource(); ValueMap properties = resource.getValueMap(); String itemResourceType = properties.get("itemResourceType", String.class); String path = properties.get("path", String.class); path = expressionResolver.resolve(path, request.getLocale(), String.class, request); if (StringUtils.isEmpty(path)) { logger.warn("Path unavailable"); return; } setDataSource(path, request, itemResourceType); } catch (RepositoryException e) { logger.warn("Unable to list components: {}", e.getMessage()); } }
doGet
@Test public void testDoGet() throws Exception { List<String> expectedPagePaths = new ArrayList<>(); expectedPagePaths.add(PAGE_ROOT + "/matches/jcr:content"); expectedPagePaths.add(PAGE_ROOT + "/fourColumns/jcr:content"); pageDataSource.doGet(request, response); ArgumentCaptor<DataSource> dataSourceArgumentCaptor = ArgumentCaptor.forClass(DataSource.class); Mockito.verify(request).setAttribute(Mockito.anyString(), dataSourceArgumentCaptor.capture()); DataSource pageDataSource = dataSourceArgumentCaptor.getValue(); @SuppressWarnings("unchecked") List<Resource> pageList = IteratorUtils.toList(pageDataSource.iterator()); assertEquals(expectedPagePaths.size(), pageList.size()); for (Resource componentResource : pageList) { ValueMap valueMap = componentResource.getValueMap(); // expected properties assertNotNull(valueMap.get("title")); assertNotNull(valueMap.get("pagePath")); assertNotNull(valueMap.get("templateType")); assertNotNull(valueMap.get("href")); assertNotNull(valueMap.get("crxHref")); expectedPagePaths.remove(valueMap.get("pagePath")); } assertEquals(0, expectedPagePaths.size()); }
testDoGet
[ "getResource", "getValueMap", "get", "get", "resolve", "getLocale", "isEmpty", "warn", "setDataSource", "warn", "getMessage" ]
[ "add", "add", "doGet", "forClass", "setAttribute", "verify", "anyString", "capture", "getValue", "toList", "iterator", "assertEquals", "size", "size", "getValueMap", "assertNotNull", "get", "assertNotNull", "get", "assertNotNull", "get", "assertNotNull", "get", "assertNotNull", "get", "remove", "get", "assertEquals", "size" ]
{ "class_fields": "private static final String PAGE_ROOT = \"/libs/cq/modernize/component/content\";\nprivate static final String ITEM_RESOURCE_TYPE = \"cq/modernize/component/templatestructure/item\";\nprivate static final String STATIC_HOME_TEMPLATE = \"/apps/geometrixx/templates/homepage\";\nprivate static final String STATIC_PRODUCT_TEMPLATE = \"/apps/geometrixx/templates/productpage\";\nprivate static final String EDITABLE_TEMPLATE = \"/conf/geodemo/settings/wcm/templates/geometrixx-demo-home-page\";\nprivate static final String SLING_RESOURCE_TYPE = \"geodemo/components/structure/page\";\nprivate PageDataSource pageDataSource;\n@Rule\n public SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\n@Mock\n private SlingHttpServletRequest request;\n@Mock\n private SlingHttpServletResponse response;\n@Mock\n private Resource requestResource;\n@Mock\n private RequestPathInfo requestPathInfo;\n@Mock\n private ExpressionResolver expressionResolver;\n@Mock\n private Externalizer externalizer;\n@Mock\n private StructureRewriteRuleService structureRewriteRuleService;\nprivate BundleContext bundleContext;", "class_name": "PageDataSourceTest" }
{ "class_fields": "private static final Logger logger = LoggerFactory.getLogger(PageDataSource.class);\nprivate static final String CRX_LITE_PATH = \"/crx/de/index\";\n@Reference\n private ExpressionResolver expressionResolver;\n@Reference\n private Externalizer externalizer;\n@Reference\n private StructureRewriteRuleService structureRewriteRuleService;", "class_name": "PageDataSource extends SlingSafeMethodsServlet", "method_signatures": "@Override protected void doGet(SlingHttpServletRequest request, SlingHttpServletResponse response)\nprivate void setDataSource(String searchPath, SlingHttpServletRequest request, String itemResourceType)\nprivate List<Resource> buildResources(String searchPath, SlingHttpServletRequest request, String itemResourceType)\nprivate Query createQuery(String searchPath, ResourceResolver resolver)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/datasources/PageDataSource.java for which to generate the test case is:\nclass_name: PageDataSource extends SlingSafeMethodsServlet\n\nclass_fields: private static final Logger logger = LoggerFactory.getLogger(PageDataSource.class);\nprivate static final String CRX_LITE_PATH = \"/crx/de/index\";\n@Reference\n private ExpressionResolver expressionResolver;\n@Reference\n private Externalizer externalizer;\n@Reference\n private StructureRewriteRuleService structureRewriteRuleService;\n\nmethod_signatures: @Override protected void doGet(SlingHttpServletRequest request, SlingHttpServletResponse response)\nprivate void setDataSource(String searchPath, SlingHttpServletRequest request, String itemResourceType)\nprivate List<Resource> buildResources(String searchPath, SlingHttpServletRequest request, String itemResourceType)\nprivate Query createQuery(String searchPath, ResourceResolver resolver)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: PageDataSourceTest\n\nclass_fields: private static final String PAGE_ROOT = \"/libs/cq/modernize/component/content\";\nprivate static final String ITEM_RESOURCE_TYPE = \"cq/modernize/component/templatestructure/item\";\nprivate static final String STATIC_HOME_TEMPLATE = \"/apps/geometrixx/templates/homepage\";\nprivate static final String STATIC_PRODUCT_TEMPLATE = \"/apps/geometrixx/templates/productpage\";\nprivate static final String EDITABLE_TEMPLATE = \"/conf/geodemo/settings/wcm/templates/geometrixx-demo-home-page\";\nprivate static final String SLING_RESOURCE_TYPE = \"geodemo/components/structure/page\";\nprivate PageDataSource pageDataSource;\n@Rule\n public SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\n@Mock\n private SlingHttpServletRequest request;\n@Mock\n private SlingHttpServletResponse response;\n@Mock\n private Resource requestResource;\n@Mock\n private RequestPathInfo requestPathInfo;\n@Mock\n private ExpressionResolver expressionResolver;\n@Mock\n private Externalizer externalizer;\n@Mock\n private StructureRewriteRuleService structureRewriteRuleService;\nprivate BundleContext bundleContext;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/datasources/PageDataSource.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n protected void doGet(SlingHttpServletRequest request, SlingHttpServletResponse response) throws ServletException, IOException {\n\n try {\n Resource resource = request.getResource();\n ValueMap properties = resource.getValueMap();\n String itemResourceType = properties.get(\"itemResourceType\", String.class);\n\n String path = properties.get(\"path\", String.class);\n path = expressionResolver.resolve(path, request.getLocale(), String.class, request);\n\n if (StringUtils.isEmpty(path)) {\n logger.warn(\"Path unavailable\");\n return;\n }\n\n\n setDataSource(path, request, itemResourceType);\n } catch (RepositoryException e) {\n logger.warn(\"Unable to list components: {}\", e.getMessage());\n }\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/datasources/PageDataSourceTest.java\n </TESTFILE7041>\n @Test\n public void testDoGet() throws Exception {\n List<String> expectedPagePaths = new ArrayList<>();\n expectedPagePaths.add(PAGE_ROOT + \"/matches/jcr:content\");\n expectedPagePaths.add(PAGE_ROOT + \"/fourColumns/jcr:content\");\n\n pageDataSource.doGet(request, response);\n\n ArgumentCaptor<DataSource> dataSourceArgumentCaptor = ArgumentCaptor.forClass(DataSource.class);\n Mockito.verify(request).setAttribute(Mockito.anyString(), dataSourceArgumentCaptor.capture());\n\n DataSource pageDataSource = dataSourceArgumentCaptor.getValue();\n\n @SuppressWarnings(\"unchecked\")\n List<Resource> pageList = IteratorUtils.toList(pageDataSource.iterator());\n\n assertEquals(expectedPagePaths.size(), pageList.size());\n\n for (Resource componentResource : pageList) {\n ValueMap valueMap = componentResource.getValueMap();\n\n // expected properties\n assertNotNull(valueMap.get(\"title\"));\n assertNotNull(valueMap.get(\"pagePath\"));\n assertNotNull(valueMap.get(\"templateType\"));\n assertNotNull(valueMap.get(\"href\"));\n assertNotNull(valueMap.get(\"crxHref\"));\n\n expectedPagePaths.remove(valueMap.get(\"pagePath\"));\n }\n\n assertEquals(0, expectedPagePaths.size());\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/adobe/aem-modernize-tools
java
bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRule.java
bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRuleTest.java
@Override public boolean matches(Node root) throws RepositoryException { if (!root.hasProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY)) { return false; } javax.jcr.Property prop = root.getProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY); if (!StringUtils.equals(resourceType, prop.getString())) { return false; } if (!root.hasProperty(PROP_LAYOUT)) { return false; } prop = root.getProperty(PROP_LAYOUT); if (!StringUtils.equals(layout, prop.getString())) { return false; } // Check Column breaks Node parent = root.getParent(); NodeIterator siblings = parent.getNodes(); while (siblings.hasNext()) { Node sibling = siblings.nextNode(); if (sibling.getName().equals(root.getName())) { break; } } // From here, find the column breaks. int count = widths.length; while (siblings.hasNext()) { Node sibling = siblings.nextNode(); if (sibling.hasProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY) && StringUtils.equals( sibling.getProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY).getString(), resourceType)) { // If it has a layout, then it's a new column control, // This shouldn't ever happen, but who knows. if (sibling.hasProperty(PROP_LAYOUT) && count != 0) { return false; // If we hit a break or end control, reduce the number of columns } else if (sibling.hasProperty(PROP_CONTROL_TYPE) && (StringUtils.equals(sibling.getProperty(PROP_CONTROL_TYPE).getString(), CONTROL_TYPE_BREAK) || StringUtils.equals(sibling.getProperty(PROP_CONTROL_TYPE).getString(), CONTROL_TYPE_END))) { count--; // If we hit the end, then break out of the loop, as we're done counting columns if (StringUtils.equals(sibling.getProperty(PROP_CONTROL_TYPE).getString(), CONTROL_TYPE_END)) { break; } } } } return count == 0; }
matches
@Test public void testNoMatchResourceType() throws Exception { Node rootNode = context.resourceResolver().getResource(ROOTS_PATH + "/matches/jcr:content").adaptTo(Node.class); ServiceReference ref = bundleContext.getServiceReference(StructureRewriteRule.class.getName()); StructureRewriteRule rule = bundleContext.<StructureRewriteRule>getService(ref); assertFalse(rule.matches(rootNode)); }
testNoMatchResourceType
[ "hasProperty", "getProperty", "equals", "getString", "hasProperty", "getProperty", "equals", "getString", "getParent", "getNodes", "hasNext", "nextNode", "equals", "getName", "getName", "hasNext", "nextNode", "hasProperty", "equals", "getString", "getProperty", "hasProperty", "hasProperty", "equals", "getString", "getProperty", "equals", "getString", "getProperty", "equals", "getString", "getProperty" ]
[ "adaptTo", "getResource", "resourceResolver", "getServiceReference", "getName", "getService", "assertFalse", "matches" ]
{ "class_fields": "private final String ROOTS_PATH = \"/libs/cq/modernize/templatestructure/content/roots\";\nprivate static final String LAYOUT_VALUE = \"2;cq-colctrl-lt0\";\nprivate static final String[] COLUMN_WIDTHS = {\"6\", \"6\"};\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\nprivate BundleContext bundleContext;", "class_name": "ColumnControlRewriteRuleTest" }
{ "class_fields": "private static final Logger logger = LoggerFactory.getLogger(ColumnControlRewriteRule.class);\nprivate int ranking = Integer.MAX_VALUE;\nprivate static final String PROP_LAYOUT = \"layout\";\nprivate static final String PROP_CONTROL_TYPE = \"controlType\";\nprivate static final String CONTROL_TYPE_BREAK = \"break\";\nprivate static final String CONTROL_TYPE_END = \"end\";\nprivate static final String RESPONSIVE_GRID_NAME = \"responsivegrid\";\nprivate static final String DEFAULT_LAYOUT_NAME = \"default\";\nprivate static final String PROP_WIDTH = \"width\";\nprivate static final String PROP_OFFSET = \"offset\";\nprivate static final String PROP_RESOURCE_TYPE_DEFAULT = \"foundation/components/parsys/colctrl\";\n@Property(label = \"Column Control ResourceType\",\n description = \"The sling:resourceType of this column control, leave blank to use Foundation component. (some customers extend/create their own)\",\n value = PROP_RESOURCE_TYPE_DEFAULT)\n private static final String PROP_RESOURCE_TYPE= \"sling.resourceType\";\nprivate String resourceType = PROP_RESOURCE_TYPE_DEFAULT;\n@Property(label = \"Layout Property Value\",\n description = \"The value of the `layout` property on the primary column control component.\")\n private static final String PROP_LAYOUT_VALUE = \"layout.value\";\nprivate String layout;\n@Property(label = \"Column Widths\",\n description = \"An array of widths for each of the columns in target grid. (e.g. 50%/50% column control is [6,6] in target grid. 75%/25% => [8,4])\",\n cardinality = Integer.MAX_VALUE)\n private static final String PROP_COLUMN_WIDTHS = \"column.widths\";\nprivate long[] widths;", "class_name": "ColumnControlRewriteRule implements StructureRewriteRule", "method_signatures": "@Override public boolean matches(Node root)\n@Override public Node applyTo(Node root, Set<Node> finalNodes)\n@Activate protected void activate(ComponentContext context)\n@Override public int getRanking()" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRule.java for which to generate the test case is:\nclass_name: ColumnControlRewriteRule implements StructureRewriteRule\n\nclass_fields: private static final Logger logger = LoggerFactory.getLogger(ColumnControlRewriteRule.class);\nprivate int ranking = Integer.MAX_VALUE;\nprivate static final String PROP_LAYOUT = \"layout\";\nprivate static final String PROP_CONTROL_TYPE = \"controlType\";\nprivate static final String CONTROL_TYPE_BREAK = \"break\";\nprivate static final String CONTROL_TYPE_END = \"end\";\nprivate static final String RESPONSIVE_GRID_NAME = \"responsivegrid\";\nprivate static final String DEFAULT_LAYOUT_NAME = \"default\";\nprivate static final String PROP_WIDTH = \"width\";\nprivate static final String PROP_OFFSET = \"offset\";\nprivate static final String PROP_RESOURCE_TYPE_DEFAULT = \"foundation/components/parsys/colctrl\";\n@Property(label = \"Column Control ResourceType\",\n description = \"The sling:resourceType of this column control, leave blank to use Foundation component. (some customers extend/create their own)\",\n value = PROP_RESOURCE_TYPE_DEFAULT)\n private static final String PROP_RESOURCE_TYPE= \"sling.resourceType\";\nprivate String resourceType = PROP_RESOURCE_TYPE_DEFAULT;\n@Property(label = \"Layout Property Value\",\n description = \"The value of the `layout` property on the primary column control component.\")\n private static final String PROP_LAYOUT_VALUE = \"layout.value\";\nprivate String layout;\n@Property(label = \"Column Widths\",\n description = \"An array of widths for each of the columns in target grid. (e.g. 50%/50% column control is [6,6] in target grid. 75%/25% => [8,4])\",\n cardinality = Integer.MAX_VALUE)\n private static final String PROP_COLUMN_WIDTHS = \"column.widths\";\nprivate long[] widths;\n\nmethod_signatures: @Override public boolean matches(Node root)\n@Override public Node applyTo(Node root, Set<Node> finalNodes)\n@Activate protected void activate(ComponentContext context)\n@Override public int getRanking()\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: ColumnControlRewriteRuleTest\n\nclass_fields: private final String ROOTS_PATH = \"/libs/cq/modernize/templatestructure/content/roots\";\nprivate static final String LAYOUT_VALUE = \"2;cq-colctrl-lt0\";\nprivate static final String[] COLUMN_WIDTHS = {\"6\", \"6\"};\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\nprivate BundleContext bundleContext;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRule.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public boolean matches(Node root) throws RepositoryException {\n if (!root.hasProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY)) {\n return false;\n }\n javax.jcr.Property prop = root.getProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY);\n if (!StringUtils.equals(resourceType, prop.getString())) {\n return false;\n }\n\n if (!root.hasProperty(PROP_LAYOUT)) {\n return false;\n }\n prop = root.getProperty(PROP_LAYOUT);\n if (!StringUtils.equals(layout, prop.getString())) {\n return false;\n }\n\n // Check Column breaks\n Node parent = root.getParent();\n NodeIterator siblings = parent.getNodes();\n while (siblings.hasNext()) {\n Node sibling = siblings.nextNode();\n if (sibling.getName().equals(root.getName())) {\n break;\n }\n }\n\n // From here, find the column breaks.\n int count = widths.length;\n while (siblings.hasNext()) {\n Node sibling = siblings.nextNode();\n if (sibling.hasProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY) &&\n StringUtils.equals(\n sibling.getProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY).getString(),\n resourceType)) {\n\n // If it has a layout, then it's a new column control,\n // This shouldn't ever happen, but who knows.\n if (sibling.hasProperty(PROP_LAYOUT) && count != 0) {\n return false;\n\n // If we hit a break or end control, reduce the number of columns\n } else if (sibling.hasProperty(PROP_CONTROL_TYPE) &&\n (StringUtils.equals(sibling.getProperty(PROP_CONTROL_TYPE).getString(), CONTROL_TYPE_BREAK)\n || StringUtils.equals(sibling.getProperty(PROP_CONTROL_TYPE).getString(), CONTROL_TYPE_END))) {\n count--;\n\n // If we hit the end, then break out of the loop, as we're done counting columns\n if (StringUtils.equals(sibling.getProperty(PROP_CONTROL_TYPE).getString(), CONTROL_TYPE_END)) {\n break;\n }\n }\n }\n }\n return count == 0;\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRuleTest.java\n </TESTFILE7041>\n @Test\n public void testNoMatchResourceType() throws Exception {\n\n Node rootNode = context.resourceResolver().getResource(ROOTS_PATH + \"/matches/jcr:content\").adaptTo(Node.class);\n\n ServiceReference ref = bundleContext.getServiceReference(StructureRewriteRule.class.getName());\n StructureRewriteRule rule = bundleContext.<StructureRewriteRule>getService(ref);\n\n assertFalse(rule.matches(rootNode));\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/CodeQInvest/codeq-invest
java
quality-assessment/src/main/java/org/codeqinvest/quality/analysis/DefaultQualityAnalyzerService.java
quality-assessment/src/test/java/org/codeqinvest/quality/analysis/DefaultQualityAnalyzerServiceTest.java
@Override public QualityAnalysis analyzeProject(Project project) { try { ViolationsAnalysisResult violationsAnalysisResult = violationsCalculatorService.calculateAllViolation(project); if (!violationsAnalysisResult.isSuccessful()) { log.error("Quality analysis for project {} failed due '{}'", project.getName(), violationsAnalysisResult.getFailureReason().get()); return qualityAnalysisRepository.save(QualityAnalysis.failed(project, zeroCostsForEachViolation(violationsAnalysisResult), violationsAnalysisResult.getFailureReason().get())); } log.info("Checking the availability of the SCM system {} for project {}", project.getScmSettings(), project.getName()); if (!scmAvailabilityCheckerServiceFactory.create(project.getScmSettings()).isAvailable(project.getScmSettings())) { return qualityAnalysisRepository.save(QualityAnalysis.failed(project, zeroCostsForEachViolation(violationsAnalysisResult), "The scm system is not available.")); } QualityAnalysis qualityAnalysis = addChangeProbabilityToEachArtifact(project, violationsAnalysisResult); if (!qualityAnalysis.isSuccessful()) { return qualityAnalysisRepository.save(qualityAnalysis); } qualityAnalysis = addSecureChangeProbabilityToEachArtifact(project, qualityAnalysis); log.info("Quality analysis succeeded for project {} with {} violations.", project.getName(), violationsAnalysisResult.getViolations().size()); return qualityAnalysisRepository.save(qualityAnalysis); } catch (Exception e) { String errorMessage = "Unexpected error occured during quality analysis!"; log.error(errorMessage, e); return QualityAnalysis.failed(project, new ArrayList<QualityViolation>(), errorMessage); } }
analyzeProject
@Test public void failedAnalysisWhenCostCalculatorThrowsResourceNotFoundExceptionOnRemediationCosts() throws CodeChurnCalculationException, ScmConnectionEncodingException, ResourceNotFoundException { ViolationsCalculatorService violationsCalculatorService = mock(ViolationsCalculatorService.class); when(violationsCalculatorService.calculateAllViolation(any(Project.class))) .thenReturn(ViolationsAnalysisResult.createSuccessfulAnalysis(Arrays.asList(new ViolationOccurence(firstRequirement, new Artefact("A", "A"), 0)))); CodeChangeProbabilityCalculator codeChangeProbabilityCalculator = mock(CodeChangeProbabilityCalculator.class); when(codeChangeProbabilityCalculator.calculateCodeChangeProbability(any(ScmConnectionSettings.class), anyString())).thenReturn(1.0); CodeChangeProbabilityCalculatorFactory codeChangeProbabilityCalculatorFactory = createMockedCodeChangeProbabilityCalculatorFactory(); when(codeChangeProbabilityCalculatorFactory.create(any(CodeChangeSettings.class))).thenReturn(codeChangeProbabilityCalculator); when(costsCalculator.calculateRemediationCosts(any(SonarConnectionSettings.class), any(ViolationOccurence.class))).thenThrow(ResourceNotFoundException.class); QualityAnalyzerService qualityAnalyzerService = new DefaultQualityAnalyzerService(violationsCalculatorService, scmAvailabilityCheckerServiceFactory, codeChangeProbabilityCalculatorFactory, secureChangeProbabilityCalculator, costsCalculator, qualityAnalysisRepository); QualityAnalysis analysis = qualityAnalyzerService.analyzeProject(project); assertThat(analysis.isSuccessful()).isFalse(); }
failedAnalysisWhenCostCalculatorThrowsResourceNotFoundExceptionOnRemediationCosts
[ "calculateAllViolation", "isSuccessful", "error", "getName", "get", "getFailureReason", "save", "failed", "zeroCostsForEachViolation", "get", "getFailureReason", "info", "getScmSettings", "getName", "isAvailable", "create", "getScmSettings", "getScmSettings", "save", "failed", "zeroCostsForEachViolation", "addChangeProbabilityToEachArtifact", "isSuccessful", "save", "addSecureChangeProbabilityToEachArtifact", "info", "getName", "size", "getViolations", "save", "error", "failed" ]
[ "mock", "thenReturn", "when", "calculateAllViolation", "any", "createSuccessfulAnalysis", "asList", "mock", "thenReturn", "when", "calculateCodeChangeProbability", "any", "anyString", "createMockedCodeChangeProbabilityCalculatorFactory", "thenReturn", "when", "create", "any", "thenThrow", "when", "calculateRemediationCosts", "any", "any", "analyzeProject", "isFalse", "assertThat", "isSuccessful" ]
{ "class_fields": "private QualityProfile profile;\nprivate QualityRequirement firstRequirement;\nprivate QualityRequirement secondRequirement;\nprivate Project project;\nprivate ScmAvailabilityCheckerServiceFactory scmAvailabilityCheckerServiceFactory;\nprivate SecureChangeProbabilityCalculator secureChangeProbabilityCalculator;\nprivate QualityViolationCostsCalculator costsCalculator;\nprivate QualityAnalysisRepository qualityAnalysisRepository;", "class_name": "DefaultQualityAnalyzerServiceTest" }
{ "class_fields": "private final ViolationsCalculatorService violationsCalculatorService;\nprivate final ScmAvailabilityCheckerServiceFactory scmAvailabilityCheckerServiceFactory;\nprivate final CodeChangeProbabilityCalculatorFactory codeChangeProbabilityCalculatorFactory;\nprivate final SecureChangeProbabilityCalculator secureChangeProbabilityCalculator;\nprivate final QualityViolationCostsCalculator costsCalculator;\nprivate final QualityAnalysisRepository qualityAnalysisRepository;", "class_name": "DefaultQualityAnalyzerService implements QualityAnalyzerService", "method_signatures": "@Autowired public DefaultQualityAnalyzerService(ViolationsCalculatorService violationsCalculatorService,\n ScmAvailabilityCheckerServiceFactory scmAvailabilityCheckerServiceFactory,\n CodeChangeProbabilityCalculatorFactory codeChangeProbabilityCalculatorFactory,\n SecureChangeProbabilityCalculator secureChangeProbabilityCalculator,\n QualityViolationCostsCalculator costsCalculator,\n QualityAnalysisRepository qualityAnalysisRepository)\n@Override public QualityAnalysis analyzeProject(Project project)\nprivate QualityAnalysis addChangeProbabilityToEachArtifact(Project project, ViolationsAnalysisResult violationsAnalysisResult)\nprivate QualityAnalysis addSecureChangeProbabilityToEachArtifact(Project project, QualityAnalysis qualityAnalysis)\nprivate void logFailedAnalysis(Project project, Exception e)\nprivate List<QualityViolation> calculateCostsForEachViolation(SonarConnectionSettings sonarConnectionSettings, ViolationsAnalysisResult violationsAnalysisResult)\nprivate List<QualityViolation> zeroCostsForEachViolation(ViolationsAnalysisResult violationsAnalysisResult)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: quality-assessment/src/main/java/org/codeqinvest/quality/analysis/DefaultQualityAnalyzerService.java for which to generate the test case is:\nclass_name: DefaultQualityAnalyzerService implements QualityAnalyzerService\n\nclass_fields: private final ViolationsCalculatorService violationsCalculatorService;\nprivate final ScmAvailabilityCheckerServiceFactory scmAvailabilityCheckerServiceFactory;\nprivate final CodeChangeProbabilityCalculatorFactory codeChangeProbabilityCalculatorFactory;\nprivate final SecureChangeProbabilityCalculator secureChangeProbabilityCalculator;\nprivate final QualityViolationCostsCalculator costsCalculator;\nprivate final QualityAnalysisRepository qualityAnalysisRepository;\n\nmethod_signatures: @Autowired public DefaultQualityAnalyzerService(ViolationsCalculatorService violationsCalculatorService,\n ScmAvailabilityCheckerServiceFactory scmAvailabilityCheckerServiceFactory,\n CodeChangeProbabilityCalculatorFactory codeChangeProbabilityCalculatorFactory,\n SecureChangeProbabilityCalculator secureChangeProbabilityCalculator,\n QualityViolationCostsCalculator costsCalculator,\n QualityAnalysisRepository qualityAnalysisRepository)\n@Override public QualityAnalysis analyzeProject(Project project)\nprivate QualityAnalysis addChangeProbabilityToEachArtifact(Project project, ViolationsAnalysisResult violationsAnalysisResult)\nprivate QualityAnalysis addSecureChangeProbabilityToEachArtifact(Project project, QualityAnalysis qualityAnalysis)\nprivate void logFailedAnalysis(Project project, Exception e)\nprivate List<QualityViolation> calculateCostsForEachViolation(SonarConnectionSettings sonarConnectionSettings, ViolationsAnalysisResult violationsAnalysisResult)\nprivate List<QualityViolation> zeroCostsForEachViolation(ViolationsAnalysisResult violationsAnalysisResult)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: DefaultQualityAnalyzerServiceTest\n\nclass_fields: private QualityProfile profile;\nprivate QualityRequirement firstRequirement;\nprivate QualityRequirement secondRequirement;\nprivate Project project;\nprivate ScmAvailabilityCheckerServiceFactory scmAvailabilityCheckerServiceFactory;\nprivate SecureChangeProbabilityCalculator secureChangeProbabilityCalculator;\nprivate QualityViolationCostsCalculator costsCalculator;\nprivate QualityAnalysisRepository qualityAnalysisRepository;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file quality-assessment/src/main/java/org/codeqinvest/quality/analysis/DefaultQualityAnalyzerService.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public QualityAnalysis analyzeProject(Project project) {\n try {\n ViolationsAnalysisResult violationsAnalysisResult = violationsCalculatorService.calculateAllViolation(project);\n if (!violationsAnalysisResult.isSuccessful()) {\n log.error(\"Quality analysis for project {} failed due '{}'\", project.getName(), violationsAnalysisResult.getFailureReason().get());\n return qualityAnalysisRepository.save(QualityAnalysis.failed(project,\n zeroCostsForEachViolation(violationsAnalysisResult),\n violationsAnalysisResult.getFailureReason().get()));\n }\n\n log.info(\"Checking the availability of the SCM system {} for project {}\", project.getScmSettings(), project.getName());\n if (!scmAvailabilityCheckerServiceFactory.create(project.getScmSettings()).isAvailable(project.getScmSettings())) {\n return qualityAnalysisRepository.save(QualityAnalysis.failed(project,\n zeroCostsForEachViolation(violationsAnalysisResult), \"The scm system is not available.\"));\n }\n\n QualityAnalysis qualityAnalysis = addChangeProbabilityToEachArtifact(project, violationsAnalysisResult);\n if (!qualityAnalysis.isSuccessful()) {\n return qualityAnalysisRepository.save(qualityAnalysis);\n }\n\n qualityAnalysis = addSecureChangeProbabilityToEachArtifact(project, qualityAnalysis);\n log.info(\"Quality analysis succeeded for project {} with {} violations.\", project.getName(), violationsAnalysisResult.getViolations().size());\n return qualityAnalysisRepository.save(qualityAnalysis);\n } catch (Exception e) {\n String errorMessage = \"Unexpected error occured during quality analysis!\";\n log.error(errorMessage, e);\n return QualityAnalysis.failed(project, new ArrayList<QualityViolation>(), errorMessage);\n }\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n quality-assessment/src/test/java/org/codeqinvest/quality/analysis/DefaultQualityAnalyzerServiceTest.java\n </TESTFILE7041>\n @Test\n public void failedAnalysisWhenCostCalculatorThrowsResourceNotFoundExceptionOnRemediationCosts() throws CodeChurnCalculationException, ScmConnectionEncodingException, ResourceNotFoundException {\n ViolationsCalculatorService violationsCalculatorService = mock(ViolationsCalculatorService.class);\n when(violationsCalculatorService.calculateAllViolation(any(Project.class)))\n .thenReturn(ViolationsAnalysisResult.createSuccessfulAnalysis(Arrays.asList(new ViolationOccurence(firstRequirement, new Artefact(\"A\", \"A\"), 0))));\n\n CodeChangeProbabilityCalculator codeChangeProbabilityCalculator = mock(CodeChangeProbabilityCalculator.class);\n when(codeChangeProbabilityCalculator.calculateCodeChangeProbability(any(ScmConnectionSettings.class), anyString())).thenReturn(1.0);\n CodeChangeProbabilityCalculatorFactory codeChangeProbabilityCalculatorFactory = createMockedCodeChangeProbabilityCalculatorFactory();\n when(codeChangeProbabilityCalculatorFactory.create(any(CodeChangeSettings.class))).thenReturn(codeChangeProbabilityCalculator);\n\n when(costsCalculator.calculateRemediationCosts(any(SonarConnectionSettings.class), any(ViolationOccurence.class))).thenThrow(ResourceNotFoundException.class);\n QualityAnalyzerService qualityAnalyzerService = new DefaultQualityAnalyzerService(violationsCalculatorService, scmAvailabilityCheckerServiceFactory,\n codeChangeProbabilityCalculatorFactory, secureChangeProbabilityCalculator, costsCalculator, qualityAnalysisRepository);\n\n QualityAnalysis analysis = qualityAnalyzerService.analyzeProject(project);\n assertThat(analysis.isSuccessful()).isFalse();\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/adobe/aem-modernize-tools
java
bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/dialog/impl/DialogConversionServlet.java
bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/dialog/impl/DialogConversionServletTest.java
private List<DialogRewriteRule> getRules(ResourceResolver resolver) throws ServletException { final List<DialogRewriteRule> rules = new LinkedList<DialogRewriteRule>(); // 1) rules provided as OSGi services // (we need to synchronize, since the 'addAll' will iterate over 'rules') synchronized (this.rules) { rules.addAll(this.rules); } int nb = rules.size(); // 2) node-based rules Resource resource = resolver.getResource(RULES_SEARCH_PATH); if (resource != null) { try { Node rulesContainer = resource.adaptTo(Node.class); NodeIterator iterator = rulesContainer.getNodes(); while (iterator.hasNext()) { Node nextNode = iterator.nextNode(); if (isFolder(nextNode)) { // add first level folder rules NodeIterator nodeIterator = nextNode.getNodes(); while (nodeIterator.hasNext()) { Node nestedNode = nodeIterator.nextNode(); // don't include nested folders if (!isFolder(nestedNode)) { rules.add(new NodeBasedDialogRewriteRule(nestedNode)); } } } else { // add rules directly at the rules search path rules.add(new NodeBasedDialogRewriteRule(nextNode)); } } } catch (RepositoryException e) { throw new ServletException("Caught exception while collecting rewrite rules", e); } } // sort rules according to their ranking Collections.sort(rules, new RuleComparator()); logger.debug("Found {} rules ({} Java-based, {} node-based)", nb, rules.size() - nb); for (DialogRewriteRule rule : rules) { logger.debug(rule.toString()); } return rules; }
getRules
@Test public void testGetRules() throws Exception { List<String> expectedRulePaths = new ArrayList<String>(); // expected ordering based on applied ranking is also represented here expectedRulePaths.addAll(Arrays.asList( RULES_PATH + "/rewriteRanking", RULES_PATH + "/simple", RULES_PATH + "/rewriteOptional", RULES_PATH + "/rewriteFinal", RULES_PATH + "/rewriteFinalOnReplacement", RULES_PATH + "/rewriteMapChildren", RULES_PATH + "/rewriteCommonAttrs", RULES_PATH + "/rewriteCommonAttrsData", RULES_PATH + "/rewriteRenderCondition", RULES_PATH + "/mapProperties", RULES_PATH + "/rewriteProperties", RULES_PATH + "/nested1/rule1", RULES_PATH + "/nested1/rule2", RULES_PATH + "/nested2/rule1")); Class[] cArgs = new Class[1]; cArgs[0] = ResourceResolver.class; Method method = dialogConversionServlet.getClass().getDeclaredMethod("getRules", cArgs); method.setAccessible(true); Object[] args = new Object[1]; args[0] = context.resourceResolver(); List<DialogRewriteRule> rules = (List<DialogRewriteRule>) method.invoke(dialogConversionServlet, args); assertEquals(expectedRulePaths.size(), rules.size()); // asserts: // - rules considered at root and first level folders // - rules ordered based on ranking int index = 0; for (DialogRewriteRule rule : rules) { String path = expectedRulePaths.get(index); assertTrue(rule.toString().contains("path=" + path + ",")); index++; } }
testGetRules
[ "addAll", "size", "getResource", "adaptTo", "getNodes", "hasNext", "nextNode", "isFolder", "getNodes", "hasNext", "nextNode", "isFolder", "add", "add", "sort", "debug", "size", "debug", "toString" ]
[ "addAll", "asList", "getDeclaredMethod", "getClass", "setAccessible", "resourceResolver", "invoke", "assertEquals", "size", "size", "get", "assertTrue", "contains", "toString" ]
{ "class_fields": "private final String RULES_PATH = \"/libs/cq/modernize/dialog/rules\";\nprivate DialogConversionServlet dialogConversionServlet;\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);", "class_name": "DialogConversionServletTest" }
{ "class_fields": "public static final String RULES_SEARCH_PATH = \"cq/modernize/dialog/rules\";\npublic static final String PARAM_PATHS = \"paths\";\nprivate static final String KEY_RESULT_PATH = \"resultPath\";\nprivate static final String KEY_ERROR_MESSAGE = \"errorMessage\";\nprivate Logger logger = LoggerFactory.getLogger(DialogConversionServlet.class);\n@Reference(\n referenceInterface = DialogRewriteRule.class,\n cardinality = ReferenceCardinality.OPTIONAL_MULTIPLE,\n policy = ReferencePolicy.DYNAMIC,\n bind = \"bindRule\",\n unbind = \"unbindRule\"\n )\n private List<DialogRewriteRule> rules = Collections.synchronizedList(new LinkedList<DialogRewriteRule>());", "class_name": "DialogConversionServlet extends SlingAllMethodsServlet", "method_signatures": "@SuppressWarnings(\"unused\") public void bindRule(DialogRewriteRule rule)\n@SuppressWarnings(\"unused\") public void unbindRule(DialogRewriteRule rule)\n@Override protected void doPost(SlingHttpServletRequest request, SlingHttpServletResponse response)\nprivate List<DialogRewriteRule> getRules(ResourceResolver resolver)\nprivate boolean isFolder(Node node)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/dialog/impl/DialogConversionServlet.java for which to generate the test case is:\nclass_name: DialogConversionServlet extends SlingAllMethodsServlet\n\nclass_fields: public static final String RULES_SEARCH_PATH = \"cq/modernize/dialog/rules\";\npublic static final String PARAM_PATHS = \"paths\";\nprivate static final String KEY_RESULT_PATH = \"resultPath\";\nprivate static final String KEY_ERROR_MESSAGE = \"errorMessage\";\nprivate Logger logger = LoggerFactory.getLogger(DialogConversionServlet.class);\n@Reference(\n referenceInterface = DialogRewriteRule.class,\n cardinality = ReferenceCardinality.OPTIONAL_MULTIPLE,\n policy = ReferencePolicy.DYNAMIC,\n bind = \"bindRule\",\n unbind = \"unbindRule\"\n )\n private List<DialogRewriteRule> rules = Collections.synchronizedList(new LinkedList<DialogRewriteRule>());\n\nmethod_signatures: @SuppressWarnings(\"unused\") public void bindRule(DialogRewriteRule rule)\n@SuppressWarnings(\"unused\") public void unbindRule(DialogRewriteRule rule)\n@Override protected void doPost(SlingHttpServletRequest request, SlingHttpServletResponse response)\nprivate List<DialogRewriteRule> getRules(ResourceResolver resolver)\nprivate boolean isFolder(Node node)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: DialogConversionServletTest\n\nclass_fields: private final String RULES_PATH = \"/libs/cq/modernize/dialog/rules\";\nprivate DialogConversionServlet dialogConversionServlet;\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/dialog/impl/DialogConversionServlet.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n private List<DialogRewriteRule> getRules(ResourceResolver resolver) throws ServletException {\n final List<DialogRewriteRule> rules = new LinkedList<DialogRewriteRule>();\n\n // 1) rules provided as OSGi services\n // (we need to synchronize, since the 'addAll' will iterate over 'rules')\n synchronized (this.rules) {\n rules.addAll(this.rules);\n }\n int nb = rules.size();\n\n // 2) node-based rules\n Resource resource = resolver.getResource(RULES_SEARCH_PATH);\n if (resource != null) {\n try {\n Node rulesContainer = resource.adaptTo(Node.class);\n NodeIterator iterator = rulesContainer.getNodes();\n while (iterator.hasNext()) {\n Node nextNode = iterator.nextNode();\n if (isFolder(nextNode)) {\n // add first level folder rules\n NodeIterator nodeIterator = nextNode.getNodes();\n while (nodeIterator.hasNext()) {\n Node nestedNode = nodeIterator.nextNode();\n // don't include nested folders\n if (!isFolder(nestedNode)) {\n rules.add(new NodeBasedDialogRewriteRule(nestedNode));\n }\n }\n } else {\n // add rules directly at the rules search path\n rules.add(new NodeBasedDialogRewriteRule(nextNode));\n }\n }\n } catch (RepositoryException e) {\n throw new ServletException(\"Caught exception while collecting rewrite rules\", e);\n }\n }\n\n // sort rules according to their ranking\n Collections.sort(rules, new RuleComparator());\n\n logger.debug(\"Found {} rules ({} Java-based, {} node-based)\", nb, rules.size() - nb);\n for (DialogRewriteRule rule : rules) {\n logger.debug(rule.toString());\n }\n return rules;\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/dialog/impl/DialogConversionServletTest.java\n </TESTFILE7041>\n @Test\n public void testGetRules() throws Exception {\n List<String> expectedRulePaths = new ArrayList<String>();\n\n // expected ordering based on applied ranking is also represented here\n expectedRulePaths.addAll(Arrays.asList(\n RULES_PATH + \"/rewriteRanking\",\n RULES_PATH + \"/simple\",\n RULES_PATH + \"/rewriteOptional\",\n RULES_PATH + \"/rewriteFinal\",\n RULES_PATH + \"/rewriteFinalOnReplacement\",\n RULES_PATH + \"/rewriteMapChildren\",\n RULES_PATH + \"/rewriteCommonAttrs\",\n RULES_PATH + \"/rewriteCommonAttrsData\",\n RULES_PATH + \"/rewriteRenderCondition\",\n RULES_PATH + \"/mapProperties\",\n RULES_PATH + \"/rewriteProperties\",\n RULES_PATH + \"/nested1/rule1\",\n RULES_PATH + \"/nested1/rule2\",\n RULES_PATH + \"/nested2/rule1\"));\n\n Class[] cArgs = new Class[1];\n cArgs[0] = ResourceResolver.class;\n Method method = dialogConversionServlet.getClass().getDeclaredMethod(\"getRules\", cArgs);\n method.setAccessible(true);\n\n Object[] args = new Object[1];\n args[0] = context.resourceResolver();\n List<DialogRewriteRule> rules = (List<DialogRewriteRule>) method.invoke(dialogConversionServlet, args);\n\n assertEquals(expectedRulePaths.size(), rules.size());\n\n // asserts:\n // - rules considered at root and first level folders\n // - rules ordered based on ranking\n int index = 0;\n for (DialogRewriteRule rule : rules) {\n String path = expectedRulePaths.get(index);\n assertTrue(rule.toString().contains(\"path=\" + path + \",\"));\n index++;\n }\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/CodeQInvest/codeq-invest
java
quality-assessment/src/main/java/org/codeqinvest/quality/analysis/ViolationsCalculatorService.java
quality-assessment/src/test/java/org/codeqinvest/quality/analysis/ViolationsCalculatorServiceTest.java
ViolationsAnalysisResult calculateAllViolation(Project project) { if (!sonarConnectionCheckerService.isReachable(project.getSonarConnectionSettings())) { return ViolationsAnalysisResult.createFailedAnalysis(Collections.<ViolationOccurence>emptyList(), "sonar project is not reachable with supplied connection settings: " + project.getSonarConnectionSettings().toString()); } log.info("Start violation analysis for project {}", project.getName()); Map<String, Artefact> artefactsThatHaveAtLeastOneViolation = Maps.newHashMap(); List<ViolationOccurence> violations = new ArrayList<ViolationOccurence>(); long violationsOfCurrentArtefact = 0; for (Resource resource : resourcesCollectorService.collectAllResourcesForProject(project.getSonarConnectionSettings())) { log.info("Analyzing resource {}", resource.getLongName()); violationsOfCurrentArtefact = 0; for (QualityRequirement qualityRequirement : project.getProfile().getRequirements()) { final double weightingMetricValue; final double metricValue; try { weightingMetricValue = metricCollectorService.collectMetricForResource(project.getSonarConnectionSettings(), resource.getKey(), qualityRequirement.getWeightingMetricIdentifier()); metricValue = metricCollectorService.collectMetricForResource(project.getSonarConnectionSettings(), resource.getKey(), qualityRequirement.getCriteria().getMetricIdentifier()); } catch (ResourceNotFoundException e) { log.warn("Quality analysis run failed due one resource or metric could not be find in Sonar!", e); return ViolationsAnalysisResult.createFailedAnalysis(violations, "resource " + resource.getKey() + " or metric " + qualityRequirement.getCriteria().getMetricIdentifier() + " not available on Sonar"); } if (qualityRequirement.isViolated(metricValue)) { final Artefact artefact; if (artefactsThatHaveAtLeastOneViolation.containsKey(resource.getKey())) { artefact = artefactsThatHaveAtLeastOneViolation.get(resource.getKey()); } else { artefact = new Artefact(resource.getLongName(), resource.getKey()); artefactsThatHaveAtLeastOneViolation.put(resource.getKey(), artefact); } log.debug("Create quality violation for artefact {} with violated requirement {}", artefact.getName(), qualityRequirement.getCriteria()); violations.add(new ViolationOccurence(qualityRequirement, artefact, weightingMetricValue)); violationsOfCurrentArtefact++; } } log.info("Found {} violations at resource {}", violationsOfCurrentArtefact, resource.getLongName()); } log.info("Successfully analysed project {} and found {} quality violations in {} artefacts", project.getName(), violations.size(), artefactsThatHaveAtLeastOneViolation.size()); return ViolationsAnalysisResult.createSuccessfulAnalysis(violations); }
calculateAllViolation
@Test public void noViolationsWhenNoRequirementsAreViolated() { FakeResourcesCollectorService resourcesCollectorService = new FakeResourcesCollectorService(); resourcesCollectorService.addResource("A"); resourcesCollectorService.addResource("B"); FakeMetricCollectorService metricCollectorService = new FakeMetricCollectorService(); metricCollectorService.addMetricValue("A", "cc", 11.0); metricCollectorService.addMetricValue("A", "ec", 14.0); metricCollectorService.addMetricValue("A", "nloc", 1.0); metricCollectorService.addMetricValue("B", "cc", 20.0); metricCollectorService.addMetricValue("B", "ec", 2.0); metricCollectorService.addMetricValue("B", "nloc", 1.0); ViolationsCalculatorService violationsCalculatorService = new ViolationsCalculatorService(connectionCheckerService, resourcesCollectorService, metricCollectorService); ViolationsAnalysisResult analysisResult = violationsCalculatorService.calculateAllViolation(project); assertThat(analysisResult.isSuccessful()).isTrue(); assertThat(analysisResult.getViolations()).isEmpty(); }
noViolationsWhenNoRequirementsAreViolated
[ "isReachable", "getSonarConnectionSettings", "createFailedAnalysis", "emptyList", "toString", "getSonarConnectionSettings", "info", "getName", "newHashMap", "collectAllResourcesForProject", "getSonarConnectionSettings", "info", "getLongName", "getRequirements", "getProfile", "collectMetricForResource", "getSonarConnectionSettings", "getKey", "getWeightingMetricIdentifier", "collectMetricForResource", "getSonarConnectionSettings", "getKey", "getMetricIdentifier", "getCriteria", "warn", "createFailedAnalysis", "getKey", "getMetricIdentifier", "getCriteria", "isViolated", "containsKey", "getKey", "get", "getKey", "getLongName", "getKey", "put", "getKey", "debug", "getName", "getCriteria", "add", "info", "getLongName", "info", "getName", "size", "size", "createSuccessfulAnalysis" ]
[ "addResource", "addResource", "addMetricValue", "addMetricValue", "addMetricValue", "addMetricValue", "addMetricValue", "addMetricValue", "calculateAllViolation", "isTrue", "assertThat", "isSuccessful", "isEmpty", "assertThat", "getViolations" ]
{ "class_fields": "private final String defaultSonarHost = \"http://localhost\";\nprivate QualityProfile profile;\nprivate QualityRequirement firstRequirement;\nprivate QualityRequirement secondRequirement;\nprivate Project project;\nprivate SonarConnectionCheckerService connectionCheckerService;", "class_name": "ViolationsCalculatorServiceTest" }
{ "class_fields": "private final SonarConnectionCheckerService sonarConnectionCheckerService;\nprivate final ResourcesCollectorService resourcesCollectorService;\nprivate final MetricCollectorService metricCollectorService;", "class_name": "ViolationsCalculatorService", "method_signatures": "@Autowired public ViolationsCalculatorService(SonarConnectionCheckerService sonarConnectionCheckerService,\n ResourcesCollectorService resourcesCollectorService,\n MetricCollectorService metricCollectorService)\n ViolationsAnalysisResult calculateAllViolation(Project project)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: quality-assessment/src/main/java/org/codeqinvest/quality/analysis/ViolationsCalculatorService.java for which to generate the test case is:\nclass_name: ViolationsCalculatorService\n\nclass_fields: private final SonarConnectionCheckerService sonarConnectionCheckerService;\nprivate final ResourcesCollectorService resourcesCollectorService;\nprivate final MetricCollectorService metricCollectorService;\n\nmethod_signatures: @Autowired public ViolationsCalculatorService(SonarConnectionCheckerService sonarConnectionCheckerService,\n ResourcesCollectorService resourcesCollectorService,\n MetricCollectorService metricCollectorService)\n ViolationsAnalysisResult calculateAllViolation(Project project)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: ViolationsCalculatorServiceTest\n\nclass_fields: private final String defaultSonarHost = \"http://localhost\";\nprivate QualityProfile profile;\nprivate QualityRequirement firstRequirement;\nprivate QualityRequirement secondRequirement;\nprivate Project project;\nprivate SonarConnectionCheckerService connectionCheckerService;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file quality-assessment/src/main/java/org/codeqinvest/quality/analysis/ViolationsCalculatorService.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n ViolationsAnalysisResult calculateAllViolation(Project project) {\n if (!sonarConnectionCheckerService.isReachable(project.getSonarConnectionSettings())) {\n return ViolationsAnalysisResult.createFailedAnalysis(Collections.<ViolationOccurence>emptyList(),\n \"sonar project is not reachable with supplied connection settings: \" + project.getSonarConnectionSettings().toString());\n }\n\n log.info(\"Start violation analysis for project {}\", project.getName());\n Map<String, Artefact> artefactsThatHaveAtLeastOneViolation = Maps.newHashMap();\n List<ViolationOccurence> violations = new ArrayList<ViolationOccurence>();\n long violationsOfCurrentArtefact = 0;\n for (Resource resource : resourcesCollectorService.collectAllResourcesForProject(project.getSonarConnectionSettings())) {\n log.info(\"Analyzing resource {}\", resource.getLongName());\n violationsOfCurrentArtefact = 0;\n for (QualityRequirement qualityRequirement : project.getProfile().getRequirements()) {\n\n final double weightingMetricValue;\n final double metricValue;\n try {\n weightingMetricValue = metricCollectorService.collectMetricForResource(project.getSonarConnectionSettings(),\n resource.getKey(), qualityRequirement.getWeightingMetricIdentifier());\n metricValue = metricCollectorService.collectMetricForResource(project.getSonarConnectionSettings(),\n resource.getKey(), qualityRequirement.getCriteria().getMetricIdentifier());\n } catch (ResourceNotFoundException e) {\n log.warn(\"Quality analysis run failed due one resource or metric could not be find in Sonar!\", e);\n return ViolationsAnalysisResult.createFailedAnalysis(violations, \"resource \" + resource.getKey()\n + \" or metric \" + qualityRequirement.getCriteria().getMetricIdentifier() + \" not available on Sonar\");\n }\n\n if (qualityRequirement.isViolated(metricValue)) {\n final Artefact artefact;\n if (artefactsThatHaveAtLeastOneViolation.containsKey(resource.getKey())) {\n artefact = artefactsThatHaveAtLeastOneViolation.get(resource.getKey());\n } else {\n artefact = new Artefact(resource.getLongName(), resource.getKey());\n artefactsThatHaveAtLeastOneViolation.put(resource.getKey(), artefact);\n }\n\n log.debug(\"Create quality violation for artefact {} with violated requirement {}\",\n artefact.getName(), qualityRequirement.getCriteria());\n violations.add(new ViolationOccurence(qualityRequirement, artefact, weightingMetricValue));\n violationsOfCurrentArtefact++;\n }\n }\n log.info(\"Found {} violations at resource {}\", violationsOfCurrentArtefact, resource.getLongName());\n }\n\n log.info(\"Successfully analysed project {} and found {} quality violations in {} artefacts\",\n project.getName(), violations.size(), artefactsThatHaveAtLeastOneViolation.size());\n return ViolationsAnalysisResult.createSuccessfulAnalysis(violations);\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n quality-assessment/src/test/java/org/codeqinvest/quality/analysis/ViolationsCalculatorServiceTest.java\n </TESTFILE7041>\n @Test\n public void noViolationsWhenNoRequirementsAreViolated() {\n FakeResourcesCollectorService resourcesCollectorService = new FakeResourcesCollectorService();\n resourcesCollectorService.addResource(\"A\");\n resourcesCollectorService.addResource(\"B\");\n\n FakeMetricCollectorService metricCollectorService = new FakeMetricCollectorService();\n metricCollectorService.addMetricValue(\"A\", \"cc\", 11.0);\n metricCollectorService.addMetricValue(\"A\", \"ec\", 14.0);\n metricCollectorService.addMetricValue(\"A\", \"nloc\", 1.0);\n metricCollectorService.addMetricValue(\"B\", \"cc\", 20.0);\n metricCollectorService.addMetricValue(\"B\", \"ec\", 2.0);\n metricCollectorService.addMetricValue(\"B\", \"nloc\", 1.0);\n\n ViolationsCalculatorService violationsCalculatorService = new ViolationsCalculatorService(connectionCheckerService,\n resourcesCollectorService, metricCollectorService);\n\n ViolationsAnalysisResult analysisResult = violationsCalculatorService.calculateAllViolation(project);\n assertThat(analysisResult.isSuccessful()).isTrue();\n assertThat(analysisResult.getViolations()).isEmpty();\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/CodeQInvest/codeq-invest
java
web-ui/src/main/java/org/codeqinvest/web/project/InvestmentOpportunitiesJsonGenerator.java
web-ui/src/test/java/org/codeqinvest/web/project/InvestmentOpportunitiesJsonGeneratorTest.java
public String generate(QualityAnalysis analysis) throws JsonProcessingException { Set<String> alreadyAddedArtefacts = Sets.newHashSet(); Map<String, PackageNode> nodeLookupTable = Maps.newHashMap(); RootNode rootNode = new RootNode(analysis.getProject().getName()); for (QualityViolation violation : analysis.getViolations()) { addArtefact(violation, rootNode, alreadyAddedArtefacts, nodeLookupTable); } rootNode.filterProfitableChildren(); rootNode.updateChangeProbabilityOfProfitableChildren(); rootNode.updateAutomaticChangeProbabilityAndEstimateOfAllChildren(); return MAPPER.writeValueAsString(rootNode); }
generate
@Test public void analysisWithOneArtefact() throws IOException { Artefact artefact = new Artefact("org.project.MyClass", "DUMMY"); artefact.setChangeProbability(0.6); QualityViolation violation = new QualityViolation(artefact, null, 5, 10, 0, ""); QualityAnalysis analysis = QualityAnalysis.success(project, Arrays.asList(violation)); when(weightedProfitCalculator.calculateWeightedProfit(violation)).thenReturn(1234.0); JsonNode generatedJson = generate(analysis); ArrayNode rootPackagNode = (ArrayNode) generatedJson.get("children"); assertThat(rootPackagNode.get(0).get("changeProbability").asInt()).isEqualTo(60); assertThat(rootPackagNode.get(0).get("children").get(0).get("children").get(0).get("value").asDouble()).isEqualTo(1234.0); }
analysisWithOneArtefact
[ "newHashSet", "newHashMap", "getName", "getProject", "getViolations", "addArtefact", "filterProfitableChildren", "updateChangeProbabilityOfProfitableChildren", "updateAutomaticChangeProbabilityAndEstimateOfAllChildren", "writeValueAsString" ]
[ "setChangeProbability", "success", "asList", "thenReturn", "when", "calculateWeightedProfit", "generate", "get", "isEqualTo", "assertThat", "asInt", "get", "get", "isEqualTo", "assertThat", "asDouble", "get", "get", "get", "get", "get", "get" ]
{ "class_fields": "private InvestmentOpportunitiesJsonGenerator generator;\nprivate WeightedProfitCalculator weightedProfitCalculator;\nprivate Project project;\nprivate ObjectMapper mapper;", "class_name": "InvestmentOpportunitiesJsonGeneratorTest" }
{ "class_fields": "private static final ObjectMapper MAPPER = new ObjectMapper();\nprivate static final Splitter PACKAGE_SPLITTER = Splitter.on('.');\nprivate final WeightedProfitCalculator weightedProfitCalculator;", "class_name": "InvestmentOpportunitiesJsonGenerator", "method_signatures": "@Autowired InvestmentOpportunitiesJsonGenerator(WeightedProfitCalculator weightedProfitCalculator)\npublic String generate(QualityAnalysis analysis)\nprivate void addArtefact(QualityViolation violation, RootNode root, Set<String> alreadyAddedArtefacts, Map<String, PackageNode> nodeLookupTable)\nprivate String getLastPackageName(String packageName)\nprivate List<String> getAllPackageNamesReversed(Artefact artefact)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: web-ui/src/main/java/org/codeqinvest/web/project/InvestmentOpportunitiesJsonGenerator.java for which to generate the test case is:\nclass_name: InvestmentOpportunitiesJsonGenerator\n\nclass_fields: private static final ObjectMapper MAPPER = new ObjectMapper();\nprivate static final Splitter PACKAGE_SPLITTER = Splitter.on('.');\nprivate final WeightedProfitCalculator weightedProfitCalculator;\n\nmethod_signatures: @Autowired InvestmentOpportunitiesJsonGenerator(WeightedProfitCalculator weightedProfitCalculator)\npublic String generate(QualityAnalysis analysis)\nprivate void addArtefact(QualityViolation violation, RootNode root, Set<String> alreadyAddedArtefacts, Map<String, PackageNode> nodeLookupTable)\nprivate String getLastPackageName(String packageName)\nprivate List<String> getAllPackageNamesReversed(Artefact artefact)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: InvestmentOpportunitiesJsonGeneratorTest\n\nclass_fields: private InvestmentOpportunitiesJsonGenerator generator;\nprivate WeightedProfitCalculator weightedProfitCalculator;\nprivate Project project;\nprivate ObjectMapper mapper;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file web-ui/src/main/java/org/codeqinvest/web/project/InvestmentOpportunitiesJsonGenerator.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public String generate(QualityAnalysis analysis) throws JsonProcessingException {\n Set<String> alreadyAddedArtefacts = Sets.newHashSet();\n Map<String, PackageNode> nodeLookupTable = Maps.newHashMap();\n RootNode rootNode = new RootNode(analysis.getProject().getName());\n\n for (QualityViolation violation : analysis.getViolations()) {\n addArtefact(violation, rootNode, alreadyAddedArtefacts, nodeLookupTable);\n }\n\n rootNode.filterProfitableChildren();\n rootNode.updateChangeProbabilityOfProfitableChildren();\n rootNode.updateAutomaticChangeProbabilityAndEstimateOfAllChildren();\n return MAPPER.writeValueAsString(rootNode);\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n web-ui/src/test/java/org/codeqinvest/web/project/InvestmentOpportunitiesJsonGeneratorTest.java\n </TESTFILE7041>\n @Test\n public void analysisWithOneArtefact() throws IOException {\n Artefact artefact = new Artefact(\"org.project.MyClass\", \"DUMMY\");\n artefact.setChangeProbability(0.6);\n QualityViolation violation = new QualityViolation(artefact, null, 5, 10, 0, \"\");\n QualityAnalysis analysis = QualityAnalysis.success(project, Arrays.asList(violation));\n\n when(weightedProfitCalculator.calculateWeightedProfit(violation)).thenReturn(1234.0);\n\n JsonNode generatedJson = generate(analysis);\n ArrayNode rootPackagNode = (ArrayNode) generatedJson.get(\"children\");\n assertThat(rootPackagNode.get(0).get(\"changeProbability\").asInt()).isEqualTo(60);\n assertThat(rootPackagNode.get(0).get(\"children\").get(0).get(\"children\").get(0).get(\"value\").asDouble()).isEqualTo(1234.0);\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/eiichiro/prodigy
java
prodigy-core/src/main/java/io/eiichiro/prodigy/ProvisionedConcurrency.java
prodigy-core/src/test/java/io/eiichiro/prodigy/ProvisionedConcurrencyTest.java
public static void warmup() { Prodigy.container(); Prodigy.configuration(); // Other class initializations here if needed. }
warmup
@Test public void testWarmup() { Prodigy.configuration(null); Prodigy.container(null); ProvisionedConcurrency.warmup(); assertNotNull(Prodigy.configuration()); assertNotNull(Prodigy.container()); }
testWarmup
[ "container", "configuration" ]
[ "configuration", "container", "warmup", "assertNotNull", "configuration", "assertNotNull", "container" ]
{ "class_fields": "", "class_name": "ProvisionedConcurrencyTest" }
{ "class_fields": "", "class_name": "ProvisionedConcurrency", "method_signatures": "private ProvisionedConcurrency()\npublic static void warmup()" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: prodigy-core/src/main/java/io/eiichiro/prodigy/ProvisionedConcurrency.java for which to generate the test case is:\nclass_name: ProvisionedConcurrency\n\nclass_fields: \n\nmethod_signatures: private ProvisionedConcurrency()\npublic static void warmup()\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: ProvisionedConcurrencyTest\n\nclass_fields: \n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file prodigy-core/src/main/java/io/eiichiro/prodigy/ProvisionedConcurrency.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public static void warmup() {\n Prodigy.container();\n Prodigy.configuration();\n // Other class initializations here if needed.\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n prodigy-core/src/test/java/io/eiichiro/prodigy/ProvisionedConcurrencyTest.java\n </TESTFILE7041>\n @Test\n\tpublic void testWarmup() {\n\t\tProdigy.configuration(null);\n\t\tProdigy.container(null);\n\t\tProvisionedConcurrency.warmup();\n\t\tassertNotNull(Prodigy.configuration());\n\t\tassertNotNull(Prodigy.container());\n\t}\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/CodeQInvest/codeq-invest
java
code-changes-analyzer/src/main/java/org/codeqinvest/codechanges/CommitBasedCodeChangeProbabilityCalculator.java
code-changes-analyzer/src/test/java/org/codeqinvest/codechanges/CommitBasedCodeChangeProbabilityCalculatorTest.java
@Override public double calculateCodeChangeProbability(ScmConnectionSettings connectionSettings, String file) throws CodeChurnCalculationException, ScmConnectionEncodingException { log.info("Calculate code change probability for file {}", file); final CodeChurnCalculator codeChurnCalculator = codeChurnCalculatorFactory.create(connectionSettings); CodeChurn codeChurn = codeChurnCalculator.calculateCodeChurnForLastCommits(connectionSettings, file, numberOfCommits); double changeProbability = 0.0; for (Double codeChurnProportion : codeChurn.getCodeChurnProportions()) { changeProbability += codeChurnProportion * (1 / (double) numberOfCommits); } return Math.min(1.0, changeProbability); }
calculateCodeChangeProbability
@Test public void maxPossibleProbabilityShouldBeOne() throws CodeChurnCalculationException, ScmConnectionEncodingException { fakeCodeChurnCalculator.addCodeChurnWithoutDay("A", new CodeChurn(Arrays.asList(10.0))); CodeChangeProbabilityCalculator codeChangeProbabilityCalculator = new CommitBasedCodeChangeProbabilityCalculator(codeChurnCalculatorFactory, 1); assertThat(codeChangeProbabilityCalculator.calculateCodeChangeProbability(dummyConnectionSettings, "A")).isEqualTo(1.0); }
maxPossibleProbabilityShouldBeOne
[ "info", "create", "calculateCodeChurnForLastCommits", "getCodeChurnProportions", "min" ]
[ "addCodeChurnWithoutDay", "asList", "isEqualTo", "assertThat", "calculateCodeChangeProbability" ]
{ "class_fields": "", "class_name": "CommitBasedCodeChangeProbabilityCalculatorTest extends AbstractCodeChangeProbabilityCalculatorTest" }
{ "class_fields": "private final CodeChurnCalculatorFactory codeChurnCalculatorFactory;\nprivate final int numberOfCommits;", "class_name": "CommitBasedCodeChangeProbabilityCalculator implements CodeChangeProbabilityCalculator", "method_signatures": "public CommitBasedCodeChangeProbabilityCalculator(CodeChurnCalculatorFactory codeChurnCalculatorFactory, int numberOfCommits)\n@Override public double calculateCodeChangeProbability(ScmConnectionSettings connectionSettings, String file)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: code-changes-analyzer/src/main/java/org/codeqinvest/codechanges/CommitBasedCodeChangeProbabilityCalculator.java for which to generate the test case is:\nclass_name: CommitBasedCodeChangeProbabilityCalculator implements CodeChangeProbabilityCalculator\n\nclass_fields: private final CodeChurnCalculatorFactory codeChurnCalculatorFactory;\nprivate final int numberOfCommits;\n\nmethod_signatures: public CommitBasedCodeChangeProbabilityCalculator(CodeChurnCalculatorFactory codeChurnCalculatorFactory, int numberOfCommits)\n@Override public double calculateCodeChangeProbability(ScmConnectionSettings connectionSettings, String file)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: CommitBasedCodeChangeProbabilityCalculatorTest extends AbstractCodeChangeProbabilityCalculatorTest\n\nclass_fields: \n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file code-changes-analyzer/src/main/java/org/codeqinvest/codechanges/CommitBasedCodeChangeProbabilityCalculator.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public double calculateCodeChangeProbability(ScmConnectionSettings connectionSettings, String file)\n throws CodeChurnCalculationException, ScmConnectionEncodingException {\n\n log.info(\"Calculate code change probability for file {}\", file);\n\n final CodeChurnCalculator codeChurnCalculator = codeChurnCalculatorFactory.create(connectionSettings);\n CodeChurn codeChurn = codeChurnCalculator.calculateCodeChurnForLastCommits(connectionSettings, file, numberOfCommits);\n double changeProbability = 0.0;\n for (Double codeChurnProportion : codeChurn.getCodeChurnProportions()) {\n changeProbability += codeChurnProportion * (1 / (double) numberOfCommits);\n }\n return Math.min(1.0, changeProbability);\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n code-changes-analyzer/src/test/java/org/codeqinvest/codechanges/CommitBasedCodeChangeProbabilityCalculatorTest.java\n </TESTFILE7041>\n @Test\n public void maxPossibleProbabilityShouldBeOne() throws CodeChurnCalculationException, ScmConnectionEncodingException {\n fakeCodeChurnCalculator.addCodeChurnWithoutDay(\"A\", new CodeChurn(Arrays.asList(10.0)));\n CodeChangeProbabilityCalculator codeChangeProbabilityCalculator = new CommitBasedCodeChangeProbabilityCalculator(codeChurnCalculatorFactory, 1);\n assertThat(codeChangeProbabilityCalculator.calculateCodeChangeProbability(dummyConnectionSettings, \"A\")).isEqualTo(1.0);\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/CodeQInvest/codeq-invest
java
web-ui/src/main/java/org/codeqinvest/web/investment/roi/RoiDistributionFilter.java
web-ui/src/test/java/org/codeqinvest/web/investment/roi/RoiDistributionFilterTest.java
Collection<RoiDistribution> filterHighestRoi(Collection<RoiDistribution> roiDistributions, int numberOfBestElements) { Map<Integer, RoiDistribution> filteredRoiDistributionsByInvest = Maps.newHashMap(); for (RoiDistribution distribution : roiDistributions) { filteredRoiDistributionsByInvest.put(distribution.getInvestInMinutes(), new RoiDistribution(distribution.getInvestInMinutes(), new HashMap<String, Integer>())); } for (String artefact : findArtefactsWithHighestRoi(roiDistributions, numberOfBestElements)) { for (RoiDistribution distribution : roiDistributions) { Integer roi = distribution.getRoiByArtefact().get(artefact); filteredRoiDistributionsByInvest.get(distribution.getInvestInMinutes()).getRoiByArtefact().put(artefact, roi); } } return filteredRoiDistributionsByInvest.values(); }
filterHighestRoi
@Test public void filterCorrectNumberOfBestRois() { Map<String, Integer> roiByArtefact = Maps.newHashMap(); roiByArtefact.put("A", 10); roiByArtefact.put("B", 10); roiByArtefact.put("C", 10); List<RoiDistribution> roiDistribution = Arrays.asList(new RoiDistribution(0, roiByArtefact)); assertThat(roiDistributionFilter.filterHighestRoi(roiDistribution, 2).iterator().next().getRoiByArtefact().keySet()).containsOnly("A", "B"); }
filterCorrectNumberOfBestRois
[ "newHashMap", "put", "getInvestInMinutes", "getInvestInMinutes", "findArtefactsWithHighestRoi", "get", "getRoiByArtefact", "put", "getRoiByArtefact", "get", "getInvestInMinutes", "values" ]
[ "newHashMap", "put", "put", "put", "asList", "containsOnly", "assertThat", "keySet", "getRoiByArtefact", "next", "iterator", "filterHighestRoi" ]
{ "class_fields": "private RoiDistributionFilter roiDistributionFilter;", "class_name": "RoiDistributionFilterTest" }
{ "class_fields": "", "class_name": "RoiDistributionFilter", "method_signatures": "Collection<RoiDistribution> filterHighestRoi(Collection<RoiDistribution> roiDistributions, int numberOfBestElements)\nprivate Set<String> findArtefactsWithHighestRoi(Collection<RoiDistribution> roiDistributions, int numberOfArtefactsToFilter)\nprivate int numberOfArtefacts(Collection<RoiDistribution> roiDistributions)\nprivate List<String> orderDescendingByRoi(final RoiDistribution roiDistribution)\nprivate List<RoiDistribution> orderAscendingByInvest(Collection<RoiDistribution> roiDistributions)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: web-ui/src/main/java/org/codeqinvest/web/investment/roi/RoiDistributionFilter.java for which to generate the test case is:\nclass_name: RoiDistributionFilter\n\nclass_fields: \n\nmethod_signatures: Collection<RoiDistribution> filterHighestRoi(Collection<RoiDistribution> roiDistributions, int numberOfBestElements)\nprivate Set<String> findArtefactsWithHighestRoi(Collection<RoiDistribution> roiDistributions, int numberOfArtefactsToFilter)\nprivate int numberOfArtefacts(Collection<RoiDistribution> roiDistributions)\nprivate List<String> orderDescendingByRoi(final RoiDistribution roiDistribution)\nprivate List<RoiDistribution> orderAscendingByInvest(Collection<RoiDistribution> roiDistributions)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: RoiDistributionFilterTest\n\nclass_fields: private RoiDistributionFilter roiDistributionFilter;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file web-ui/src/main/java/org/codeqinvest/web/investment/roi/RoiDistributionFilter.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n Collection<RoiDistribution> filterHighestRoi(Collection<RoiDistribution> roiDistributions, int numberOfBestElements) {\n Map<Integer, RoiDistribution> filteredRoiDistributionsByInvest = Maps.newHashMap();\n for (RoiDistribution distribution : roiDistributions) {\n filteredRoiDistributionsByInvest.put(distribution.getInvestInMinutes(),\n new RoiDistribution(distribution.getInvestInMinutes(), new HashMap<String, Integer>()));\n }\n\n for (String artefact : findArtefactsWithHighestRoi(roiDistributions, numberOfBestElements)) {\n for (RoiDistribution distribution : roiDistributions) {\n Integer roi = distribution.getRoiByArtefact().get(artefact);\n filteredRoiDistributionsByInvest.get(distribution.getInvestInMinutes()).getRoiByArtefact().put(artefact, roi);\n }\n }\n return filteredRoiDistributionsByInvest.values();\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n web-ui/src/test/java/org/codeqinvest/web/investment/roi/RoiDistributionFilterTest.java\n </TESTFILE7041>\n @Test\n public void filterCorrectNumberOfBestRois() {\n Map<String, Integer> roiByArtefact = Maps.newHashMap();\n roiByArtefact.put(\"A\", 10);\n roiByArtefact.put(\"B\", 10);\n roiByArtefact.put(\"C\", 10);\n List<RoiDistribution> roiDistribution = Arrays.asList(new RoiDistribution(0, roiByArtefact));\n assertThat(roiDistributionFilter.filterHighestRoi(roiDistribution, 2).iterator().next().getRoiByArtefact().keySet()).containsOnly(\"A\", \"B\");\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/adobe/aem-modernize-tools
java
bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRule.java
bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRuleTest.java
@Activate protected void activate(ComponentContext context) throws RepositoryException, ConfigurationException { @SuppressWarnings("unchecked") Dictionary<String, Object> props = context.getProperties(); // read service ranking property Object ranking = props.get("service.ranking"); if (ranking != null) { try { this.ranking = (Integer) ranking; } catch (ClassCastException e) { // ignore logger.warn("Found invalid service.ranking value {}", ranking); } } resourceType = PropertiesUtil.toString(props.get(PROP_RESOURCE_TYPE), PROP_RESOURCE_TYPE_DEFAULT); if (StringUtils.isBlank(resourceType)) { throw new ConfigurationException(PROP_RESOURCE_TYPE, "Sling Resource Type is required."); } layout = PropertiesUtil.toString(props.get(PROP_LAYOUT_VALUE), null); if (StringUtils.isBlank(layout)) { throw new ConfigurationException(PROP_LAYOUT_VALUE, "Layout value property is required."); } String[] widthsStrings = PropertiesUtil.toStringArray(props.get(PROP_COLUMN_WIDTHS), null); if (ArrayUtils.isEmpty(widthsStrings)) { throw new ConfigurationException(PROP_COLUMN_WIDTHS, "Column width property is required."); } else { widths = new long[widthsStrings.length]; for (int i = 0; i < widthsStrings.length; i++) { try { widths[i] = Long.parseLong(widthsStrings[i]); } catch (NumberFormatException ex) { throw new ConfigurationException(PROP_COLUMN_WIDTHS, "Column width values must be of type long."); } } } }
activate
@Test public void testActivate() { BundleContext bundleContext = MockOsgi.newBundleContext(); ColumnControlRewriteRule rule = new ColumnControlRewriteRule(); MockOsgi.injectServices(rule, bundleContext); Dictionary<String, Object> props = new Hashtable<>(); props.put("layout.value", LAYOUT_VALUE); props.put("column.widths", COLUMN_WIDTHS); MockOsgi.activate(rule, bundleContext, props); }
testActivate
[ "getProperties", "get", "warn", "toString", "get", "isBlank", "toString", "get", "isBlank", "toStringArray", "get", "isEmpty", "parseLong" ]
[ "newBundleContext", "injectServices", "put", "put", "activate" ]
{ "class_fields": "private final String ROOTS_PATH = \"/libs/cq/modernize/templatestructure/content/roots\";\nprivate static final String LAYOUT_VALUE = \"2;cq-colctrl-lt0\";\nprivate static final String[] COLUMN_WIDTHS = {\"6\", \"6\"};\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\nprivate BundleContext bundleContext;", "class_name": "ColumnControlRewriteRuleTest" }
{ "class_fields": "private static final Logger logger = LoggerFactory.getLogger(ColumnControlRewriteRule.class);\nprivate int ranking = Integer.MAX_VALUE;\nprivate static final String PROP_LAYOUT = \"layout\";\nprivate static final String PROP_CONTROL_TYPE = \"controlType\";\nprivate static final String CONTROL_TYPE_BREAK = \"break\";\nprivate static final String CONTROL_TYPE_END = \"end\";\nprivate static final String RESPONSIVE_GRID_NAME = \"responsivegrid\";\nprivate static final String DEFAULT_LAYOUT_NAME = \"default\";\nprivate static final String PROP_WIDTH = \"width\";\nprivate static final String PROP_OFFSET = \"offset\";\nprivate static final String PROP_RESOURCE_TYPE_DEFAULT = \"foundation/components/parsys/colctrl\";\n@Property(label = \"Column Control ResourceType\",\n description = \"The sling:resourceType of this column control, leave blank to use Foundation component. (some customers extend/create their own)\",\n value = PROP_RESOURCE_TYPE_DEFAULT)\n private static final String PROP_RESOURCE_TYPE= \"sling.resourceType\";\nprivate String resourceType = PROP_RESOURCE_TYPE_DEFAULT;\n@Property(label = \"Layout Property Value\",\n description = \"The value of the `layout` property on the primary column control component.\")\n private static final String PROP_LAYOUT_VALUE = \"layout.value\";\nprivate String layout;\n@Property(label = \"Column Widths\",\n description = \"An array of widths for each of the columns in target grid. (e.g. 50%/50% column control is [6,6] in target grid. 75%/25% => [8,4])\",\n cardinality = Integer.MAX_VALUE)\n private static final String PROP_COLUMN_WIDTHS = \"column.widths\";\nprivate long[] widths;", "class_name": "ColumnControlRewriteRule implements StructureRewriteRule", "method_signatures": "@Override public boolean matches(Node root)\n@Override public Node applyTo(Node root, Set<Node> finalNodes)\n@Activate protected void activate(ComponentContext context)\n@Override public int getRanking()" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRule.java for which to generate the test case is:\nclass_name: ColumnControlRewriteRule implements StructureRewriteRule\n\nclass_fields: private static final Logger logger = LoggerFactory.getLogger(ColumnControlRewriteRule.class);\nprivate int ranking = Integer.MAX_VALUE;\nprivate static final String PROP_LAYOUT = \"layout\";\nprivate static final String PROP_CONTROL_TYPE = \"controlType\";\nprivate static final String CONTROL_TYPE_BREAK = \"break\";\nprivate static final String CONTROL_TYPE_END = \"end\";\nprivate static final String RESPONSIVE_GRID_NAME = \"responsivegrid\";\nprivate static final String DEFAULT_LAYOUT_NAME = \"default\";\nprivate static final String PROP_WIDTH = \"width\";\nprivate static final String PROP_OFFSET = \"offset\";\nprivate static final String PROP_RESOURCE_TYPE_DEFAULT = \"foundation/components/parsys/colctrl\";\n@Property(label = \"Column Control ResourceType\",\n description = \"The sling:resourceType of this column control, leave blank to use Foundation component. (some customers extend/create their own)\",\n value = PROP_RESOURCE_TYPE_DEFAULT)\n private static final String PROP_RESOURCE_TYPE= \"sling.resourceType\";\nprivate String resourceType = PROP_RESOURCE_TYPE_DEFAULT;\n@Property(label = \"Layout Property Value\",\n description = \"The value of the `layout` property on the primary column control component.\")\n private static final String PROP_LAYOUT_VALUE = \"layout.value\";\nprivate String layout;\n@Property(label = \"Column Widths\",\n description = \"An array of widths for each of the columns in target grid. (e.g. 50%/50% column control is [6,6] in target grid. 75%/25% => [8,4])\",\n cardinality = Integer.MAX_VALUE)\n private static final String PROP_COLUMN_WIDTHS = \"column.widths\";\nprivate long[] widths;\n\nmethod_signatures: @Override public boolean matches(Node root)\n@Override public Node applyTo(Node root, Set<Node> finalNodes)\n@Activate protected void activate(ComponentContext context)\n@Override public int getRanking()\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: ColumnControlRewriteRuleTest\n\nclass_fields: private final String ROOTS_PATH = \"/libs/cq/modernize/templatestructure/content/roots\";\nprivate static final String LAYOUT_VALUE = \"2;cq-colctrl-lt0\";\nprivate static final String[] COLUMN_WIDTHS = {\"6\", \"6\"};\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\nprivate BundleContext bundleContext;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRule.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Activate\n protected void activate(ComponentContext context) throws RepositoryException, ConfigurationException {\n @SuppressWarnings(\"unchecked\")\n Dictionary<String, Object> props = context.getProperties();\n // read service ranking property\n Object ranking = props.get(\"service.ranking\");\n if (ranking != null) {\n try {\n this.ranking = (Integer) ranking;\n } catch (ClassCastException e) {\n // ignore\n logger.warn(\"Found invalid service.ranking value {}\", ranking);\n }\n }\n\n resourceType = PropertiesUtil.toString(props.get(PROP_RESOURCE_TYPE), PROP_RESOURCE_TYPE_DEFAULT);\n if (StringUtils.isBlank(resourceType)) {\n throw new ConfigurationException(PROP_RESOURCE_TYPE, \"Sling Resource Type is required.\");\n }\n\n layout = PropertiesUtil.toString(props.get(PROP_LAYOUT_VALUE), null);\n if (StringUtils.isBlank(layout)) {\n throw new ConfigurationException(PROP_LAYOUT_VALUE, \"Layout value property is required.\");\n }\n\n String[] widthsStrings = PropertiesUtil.toStringArray(props.get(PROP_COLUMN_WIDTHS), null);\n if (ArrayUtils.isEmpty(widthsStrings)) {\n throw new ConfigurationException(PROP_COLUMN_WIDTHS, \"Column width property is required.\");\n } else {\n widths = new long[widthsStrings.length];\n for (int i = 0; i < widthsStrings.length; i++) {\n try {\n widths[i] = Long.parseLong(widthsStrings[i]);\n } catch (NumberFormatException ex) {\n throw new ConfigurationException(PROP_COLUMN_WIDTHS, \"Column width values must be of type long.\");\n }\n }\n }\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRuleTest.java\n </TESTFILE7041>\n @Test\n public void testActivate() {\n BundleContext bundleContext = MockOsgi.newBundleContext();\n ColumnControlRewriteRule rule = new ColumnControlRewriteRule();\n MockOsgi.injectServices(rule, bundleContext);\n Dictionary<String, Object> props = new Hashtable<>();\n props.put(\"layout.value\", LAYOUT_VALUE);\n props.put(\"column.widths\", COLUMN_WIDTHS);\n MockOsgi.activate(rule, bundleContext, props);\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/CodeQInvest/codeq-invest
java
investment-decision-making/src/main/java/org/codeqinvest/investment/profit/ProfitCalculator.java
investment-decision-making/src/test/java/org/codeqinvest/investment/profit/ProfitCalculatorTest.java
public double calculateProfit(QualityViolation violation) { double nonRemediationCosts = violation.getNonRemediationCosts() * (violation.getArtefact().hasManualEstimate() ? violation.getArtefact().getManualEstimate() / 100.0 : violation.getArtefact().getChangeProbability()); return violation.getRequirement().isAutomaticallyFixable() ? nonRemediationCosts - violation.getRemediationCosts() : nonRemediationCosts - violation.getRemediationCosts() * violation.getArtefact().getSecureChangeProbability(); }
calculateProfit
@Test public void profitForAutomaticFixableViolation() { when(requirement.isAutomaticallyFixable()).thenReturn(true); assertThat(calculator.calculateProfit(violation)).isEqualTo(2.0); }
profitForAutomaticFixableViolation
[ "getNonRemediationCosts", "hasManualEstimate", "getArtefact", "getManualEstimate", "getArtefact", "getChangeProbability", "getArtefact", "isAutomaticallyFixable", "getRequirement", "getRemediationCosts", "getRemediationCosts", "getSecureChangeProbability", "getArtefact" ]
[ "thenReturn", "when", "isAutomaticallyFixable", "isEqualTo", "assertThat", "calculateProfit" ]
{ "class_fields": "private ProfitCalculator calculator;\nprivate Artefact artefact;\nprivate QualityRequirement requirement;\nprivate QualityViolation violation;", "class_name": "ProfitCalculatorTest" }
{ "class_fields": "", "class_name": "ProfitCalculator", "method_signatures": "public double calculateProfit(QualityViolation violation)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: investment-decision-making/src/main/java/org/codeqinvest/investment/profit/ProfitCalculator.java for which to generate the test case is:\nclass_name: ProfitCalculator\n\nclass_fields: \n\nmethod_signatures: public double calculateProfit(QualityViolation violation)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: ProfitCalculatorTest\n\nclass_fields: private ProfitCalculator calculator;\nprivate Artefact artefact;\nprivate QualityRequirement requirement;\nprivate QualityViolation violation;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file investment-decision-making/src/main/java/org/codeqinvest/investment/profit/ProfitCalculator.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public double calculateProfit(QualityViolation violation) {\n double nonRemediationCosts = violation.getNonRemediationCosts() * (violation.getArtefact().hasManualEstimate()\n ? violation.getArtefact().getManualEstimate() / 100.0\n : violation.getArtefact().getChangeProbability());\n\n return violation.getRequirement().isAutomaticallyFixable()\n ? nonRemediationCosts - violation.getRemediationCosts()\n : nonRemediationCosts - violation.getRemediationCosts() * violation.getArtefact().getSecureChangeProbability();\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n investment-decision-making/src/test/java/org/codeqinvest/investment/profit/ProfitCalculatorTest.java\n </TESTFILE7041>\n @Test\n public void profitForAutomaticFixableViolation() {\n when(requirement.isAutomaticallyFixable()).thenReturn(true);\n assertThat(calculator.calculateProfit(violation)).isEqualTo(2.0);\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/CodeQInvest/codeq-invest
java
quality-assessment/src/main/java/org/codeqinvest/quality/analysis/CodeChangeProbabilityCalculatorFactory.java
quality-assessment/src/test/java/org/codeqinvest/quality/analysis/CodeChangeProbabilityCalculatorFactoryTest.java
CodeChangeProbabilityCalculator create(CodeChangeSettings codeChangeSettings) { if (codeChangeSettings.getMethod() == SupportedCodeChangeProbabilityMethod.WEIGHTED.getId()) { return new WeightedCodeChangeProbabilityCalculator(codeChurnCalculatorFactory, LocalDate.now(), codeChangeSettings.getDays()); } else if (codeChangeSettings.getMethod() == SupportedCodeChangeProbabilityMethod.COMMIT_BASED.getId()) { return new CommitBasedCodeChangeProbabilityCalculator(codeChurnCalculatorFactory, codeChangeSettings.getNumberOfCommits()); } else { return new DefaultCodeChangeProbabilityCalculator(codeChurnCalculatorFactory, LocalDate.now(), codeChangeSettings.getDays()); } }
create
@Test public void createCalculatorWithCorrectNumberOfDaysForDefaultSetting() { assertThat(((DefaultCodeChangeProbabilityCalculator) codeChangeProbabilityCalculatorFactory.create(CodeChangeSettings.defaultSetting(30))).getDays()) .isEqualTo(30); }
createCalculatorWithCorrectNumberOfDaysForDefaultSetting
[ "getMethod", "getId", "now", "getDays", "getMethod", "getId", "getNumberOfCommits", "now", "getDays" ]
[ "isEqualTo", "assertThat", "getDays", "create", "defaultSetting" ]
{ "class_fields": "@Autowired\n private CodeChangeProbabilityCalculatorFactory codeChangeProbabilityCalculatorFactory;", "class_name": "CodeChangeProbabilityCalculatorFactoryTest" }
{ "class_fields": "@Getter\n private final CodeChurnCalculatorFactory codeChurnCalculatorFactory;", "class_name": "CodeChangeProbabilityCalculatorFactory", "method_signatures": "@Autowired CodeChangeProbabilityCalculatorFactory(CodeChurnCalculatorFactory codeChurnCalculatorFactory)\n CodeChangeProbabilityCalculator create(CodeChangeSettings codeChangeSettings)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: quality-assessment/src/main/java/org/codeqinvest/quality/analysis/CodeChangeProbabilityCalculatorFactory.java for which to generate the test case is:\nclass_name: CodeChangeProbabilityCalculatorFactory\n\nclass_fields: @Getter\n private final CodeChurnCalculatorFactory codeChurnCalculatorFactory;\n\nmethod_signatures: @Autowired CodeChangeProbabilityCalculatorFactory(CodeChurnCalculatorFactory codeChurnCalculatorFactory)\n CodeChangeProbabilityCalculator create(CodeChangeSettings codeChangeSettings)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: CodeChangeProbabilityCalculatorFactoryTest\n\nclass_fields: @Autowired\n private CodeChangeProbabilityCalculatorFactory codeChangeProbabilityCalculatorFactory;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file quality-assessment/src/main/java/org/codeqinvest/quality/analysis/CodeChangeProbabilityCalculatorFactory.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n CodeChangeProbabilityCalculator create(CodeChangeSettings codeChangeSettings) {\n if (codeChangeSettings.getMethod() == SupportedCodeChangeProbabilityMethod.WEIGHTED.getId()) {\n return new WeightedCodeChangeProbabilityCalculator(codeChurnCalculatorFactory, LocalDate.now(), codeChangeSettings.getDays());\n } else if (codeChangeSettings.getMethod() == SupportedCodeChangeProbabilityMethod.COMMIT_BASED.getId()) {\n return new CommitBasedCodeChangeProbabilityCalculator(codeChurnCalculatorFactory, codeChangeSettings.getNumberOfCommits());\n } else {\n return new DefaultCodeChangeProbabilityCalculator(codeChurnCalculatorFactory, LocalDate.now(), codeChangeSettings.getDays());\n }\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n quality-assessment/src/test/java/org/codeqinvest/quality/analysis/CodeChangeProbabilityCalculatorFactoryTest.java\n </TESTFILE7041>\n @Test\n public void createCalculatorWithCorrectNumberOfDaysForDefaultSetting() {\n assertThat(((DefaultCodeChangeProbabilityCalculator)\n codeChangeProbabilityCalculatorFactory.create(CodeChangeSettings.defaultSetting(30))).getDays())\n .isEqualTo(30);\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/adobe/aem-modernize-tools
java
bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/component/impl/ComponentRewriteRuleServiceImpl.java
bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/component/impl/ComponentRewriteRuleServiceImplTest.java
@Override public Set<String> getSlingResourceTypes(ResourceResolver resolver) throws RepositoryException { List<ComponentRewriteRule> rules = getRules(resolver); Set<String> types = new HashSet<>(rules.size()); for (ComponentRewriteRule r : rules) { types.addAll(r.getSlingResourceTypes()); } return types; }
getSlingResourceTypes
@Test public void testGetSlingResourceTypes() throws Exception { Set<String> resourceTypes = componentRewriteRuleService.getSlingResourceTypes(context.resourceResolver()); assertTrue(resourceTypes.contains("geometrixx/components/simple")); resourceTypes.remove("geometrixx/components/simple"); assertTrue(resourceTypes.contains("geometrixx/components/mapProperties")); resourceTypes.remove("geometrixx/components/mapProperties"); assertTrue(resourceTypes.contains("geometrixx/components/rewriteOptional")); resourceTypes.remove("geometrixx/components/rewriteOptional"); assertTrue(resourceTypes.contains("geometrixx/components/rewriteRanking")); resourceTypes.remove("geometrixx/components/rewriteRanking"); assertTrue(resourceTypes.contains("geometrixx/components/rewriteMapChildren")); resourceTypes.remove("geometrixx/components/rewriteMapChildren"); assertTrue(resourceTypes.contains("geometrixx/components/rewriteFinal")); resourceTypes.remove("geometrixx/components/rewriteFinal"); assertTrue(resourceTypes.contains("geometrixx/components/rewriteFinalOnReplacement")); resourceTypes.remove("geometrixx/components/rewriteFinalOnReplacement"); assertTrue(resourceTypes.contains("geometrixx/components/rewriteProperties")); resourceTypes.remove("geometrixx/components/rewriteProperties"); assertTrue(resourceTypes.contains("granite/ui/components/foundation/container")); resourceTypes.remove("granite/ui/components/foundation/container"); assertTrue(resourceTypes.isEmpty()); }
testGetSlingResourceTypes
[ "getRules", "size", "addAll", "getSlingResourceTypes" ]
[ "getSlingResourceTypes", "resourceResolver", "assertTrue", "contains", "remove", "assertTrue", "contains", "remove", "assertTrue", "contains", "remove", "assertTrue", "contains", "remove", "assertTrue", "contains", "remove", "assertTrue", "contains", "remove", "assertTrue", "contains", "remove", "assertTrue", "contains", "remove", "assertTrue", "contains", "remove", "assertTrue", "isEmpty" ]
{ "class_fields": "private final String RULES_PATH = \"/libs/cq/modernize/component/rules\";\nprivate ComponentRewriteRuleService componentRewriteRuleService;\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);", "class_name": "ComponentRewriteRuleServiceImplTest" }
{ "class_fields": "private Logger logger = LoggerFactory.getLogger(ComponentRewriteRuleServiceImpl.class);\npublic static final String RULES_SEARCH_PATH = \"cq/modernize/component/rules\";\n@Reference(\n referenceInterface = ComponentRewriteRule.class,\n cardinality = ReferenceCardinality.OPTIONAL_MULTIPLE,\n policy = ReferencePolicy.DYNAMIC,\n bind = \"bindRule\",\n unbind = \"unbindRule\"\n )\n private List<ComponentRewriteRule> rules = Collections.synchronizedList(new LinkedList<>());", "class_name": "ComponentRewriteRuleServiceImpl implements ComponentRewriteRuleService", "method_signatures": "@SuppressWarnings(\"unused\") public void bindRule(ComponentRewriteRule rule)\n@SuppressWarnings(\"unused\") public void unbindRule(ComponentRewriteRule rule)\npublic List<ComponentRewriteRule> getRules(ResourceResolver resolver)\n@Override public Set<String> getSlingResourceTypes(ResourceResolver resolver)\nprivate boolean isFolder(Node node)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/component/impl/ComponentRewriteRuleServiceImpl.java for which to generate the test case is:\nclass_name: ComponentRewriteRuleServiceImpl implements ComponentRewriteRuleService\n\nclass_fields: private Logger logger = LoggerFactory.getLogger(ComponentRewriteRuleServiceImpl.class);\npublic static final String RULES_SEARCH_PATH = \"cq/modernize/component/rules\";\n@Reference(\n referenceInterface = ComponentRewriteRule.class,\n cardinality = ReferenceCardinality.OPTIONAL_MULTIPLE,\n policy = ReferencePolicy.DYNAMIC,\n bind = \"bindRule\",\n unbind = \"unbindRule\"\n )\n private List<ComponentRewriteRule> rules = Collections.synchronizedList(new LinkedList<>());\n\nmethod_signatures: @SuppressWarnings(\"unused\") public void bindRule(ComponentRewriteRule rule)\n@SuppressWarnings(\"unused\") public void unbindRule(ComponentRewriteRule rule)\npublic List<ComponentRewriteRule> getRules(ResourceResolver resolver)\n@Override public Set<String> getSlingResourceTypes(ResourceResolver resolver)\nprivate boolean isFolder(Node node)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: ComponentRewriteRuleServiceImplTest\n\nclass_fields: private final String RULES_PATH = \"/libs/cq/modernize/component/rules\";\nprivate ComponentRewriteRuleService componentRewriteRuleService;\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/component/impl/ComponentRewriteRuleServiceImpl.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public Set<String> getSlingResourceTypes(ResourceResolver resolver) throws RepositoryException {\n List<ComponentRewriteRule> rules = getRules(resolver);\n\n Set<String> types = new HashSet<>(rules.size());\n\n for (ComponentRewriteRule r : rules) {\n types.addAll(r.getSlingResourceTypes());\n }\n return types;\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/component/impl/ComponentRewriteRuleServiceImplTest.java\n </TESTFILE7041>\n @Test\n public void testGetSlingResourceTypes() throws Exception {\n Set<String> resourceTypes = componentRewriteRuleService.getSlingResourceTypes(context.resourceResolver());\n\n assertTrue(resourceTypes.contains(\"geometrixx/components/simple\"));\n resourceTypes.remove(\"geometrixx/components/simple\");\n assertTrue(resourceTypes.contains(\"geometrixx/components/mapProperties\"));\n resourceTypes.remove(\"geometrixx/components/mapProperties\");\n assertTrue(resourceTypes.contains(\"geometrixx/components/rewriteOptional\"));\n resourceTypes.remove(\"geometrixx/components/rewriteOptional\");\n assertTrue(resourceTypes.contains(\"geometrixx/components/rewriteRanking\"));\n resourceTypes.remove(\"geometrixx/components/rewriteRanking\");\n assertTrue(resourceTypes.contains(\"geometrixx/components/rewriteMapChildren\"));\n resourceTypes.remove(\"geometrixx/components/rewriteMapChildren\");\n assertTrue(resourceTypes.contains(\"geometrixx/components/rewriteFinal\"));\n resourceTypes.remove(\"geometrixx/components/rewriteFinal\");\n assertTrue(resourceTypes.contains(\"geometrixx/components/rewriteFinalOnReplacement\"));\n resourceTypes.remove(\"geometrixx/components/rewriteFinalOnReplacement\");\n assertTrue(resourceTypes.contains(\"geometrixx/components/rewriteProperties\"));\n resourceTypes.remove(\"geometrixx/components/rewriteProperties\");\n assertTrue(resourceTypes.contains(\"granite/ui/components/foundation/container\"));\n resourceTypes.remove(\"granite/ui/components/foundation/container\");\n\n\n\n assertTrue(resourceTypes.isEmpty());\n\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/adobe/aem-modernize-tools
java
bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/PageRewriteRule.java
bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/rules/PageRewriteRuleTest.java
@Override public boolean matches(Node root) throws RepositoryException { if (!root.hasProperty(NameConstants.NN_TEMPLATE)) { return false; } String template = root.getProperty(NameConstants.NN_TEMPLATE).getString(); return StringUtils.equals(staticTemplate, template); }
matches
@Test public void testDoesNotMatch() throws Exception { Node rootNode = context.resourceResolver().getResource(ROOTS_PATH + "/doesNotMatch/jcr:content").adaptTo(Node.class); ServiceReference ref = bundleContext.getServiceReference(StructureRewriteRule.class.getName()); StructureRewriteRule rule = bundleContext.<StructureRewriteRule>getService(ref); assertFalse(rule.matches(rootNode)); }
testDoesNotMatch
[ "hasProperty", "getString", "getProperty", "equals" ]
[ "adaptTo", "getResource", "resourceResolver", "getServiceReference", "getName", "getService", "assertFalse", "matches" ]
{ "class_fields": "private final String ROOTS_PATH = \"/libs/cq/modernize/templatestructure/content/roots\";\nprivate static final String STATIC_TEMPLATE = \"/apps/geometrixx/templates/homepage\";\nprivate static final String EDITABLE_TEMPLATE = \"/conf/geodemo/settings/wcm/templates/geometrixx-demo-home-page\";\nprivate static final String SLING_RESOURCE_TYPE = \"geodemo/components/structure/page\";\nprivate static final String[] ORDER = {\n \"responsivegrid\",\n \"responsivegrid_12345\",\n \"responsivegrid:header\",\n \"responsivegrid:title\"\n };\nprivate static final String[] REMOVE = { \"toBeRemoved\" };\nprivate static final String[] RENAME = { \"par:responsivegrid/responsivegrid\", \"rightpar:responsivegrid_12345\" };\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\nprivate BundleContext bundleContext;", "class_name": "PageRewriteRuleTest" }
{ "class_fields": "private static final Logger logger = LoggerFactory.getLogger(PageRewriteRule.class);\n@org.apache.felix.scr.annotations.Property(label = \"Static Template\",\n description = \"The static template which will be updated by this Page Rewrite Rule\")\n private static final String PROP_STATIC_TEMPLATE = \"static.template\";\nprivate String staticTemplate;\n@org.apache.felix.scr.annotations.Property(label = \"Editable Template\",\n description = \"The value to update the cq:template with, this should be the new Editable Template.\")\n private static final String PROP_EDITABLE_TEMPLATE = \"editable.template\";\nprivate String editableTemplate;\n@org.apache.felix.scr.annotations.Property(label = \"Sling Resource Type\",\n description = \"The value to update the sling:resourceType with, this should be the same as the \" +\n \"new Editable Template.\")\n private static final String PROP_SLING_RESOURCE_TYPE = \"sling.resourceType\";\nprivate String slingResourceType;\n@org.apache.felix.scr.annotations.Property(label = \"Component Order\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify the order of the components in the new responsive grid. \" +\n \"Any found and unspecified are moved to the end in arbitrary order.\")\n private static final String PROP_ORDER_COMPONENTS = \"order.components\";\nprivate Map<String, List<String>> componentOrdering = new HashMap<>();\n@org.apache.felix.scr.annotations.Property(label = \"Remove Components\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify any components that may exist on the static page that can be removed.\")\n private static final String PROP_REMOVE_COMPONENTS = \"remove.components\";\nprivate String[] componentsToRemove;\n@org.apache.felix.scr.annotations.Property(label = \"Rename Components\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify new name for components as they are moved into the root responsive grid.\")\n private static final String PROP_RENAME_COMPONENTS = \"rename.components\";\nprivate Map<String, String> componentRenamed;\nprivate List<String> nested = new ArrayList<>();\nprivate int ranking = Integer.MAX_VALUE;\nprivate static final String RESPONSIVE_GRID_NODE_NAME = \"root\";", "class_name": "PageRewriteRule implements PageStructureRewriteRule", "method_signatures": "@Override public boolean matches(Node root)\n@Override public Node applyTo(Node root, Set<Node> finalNodes)\nprivate List<String> moveStructure(Node source, Node target, List<String> ignored)\nprivate void reorderChildren(List<String> names, List<String> order, Node parent)\n@Activate protected void activate(ComponentContext context)\n@Override public String getStaticTemplate()\n@Override public int getRanking()" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/PageRewriteRule.java for which to generate the test case is:\nclass_name: PageRewriteRule implements PageStructureRewriteRule\n\nclass_fields: private static final Logger logger = LoggerFactory.getLogger(PageRewriteRule.class);\n@org.apache.felix.scr.annotations.Property(label = \"Static Template\",\n description = \"The static template which will be updated by this Page Rewrite Rule\")\n private static final String PROP_STATIC_TEMPLATE = \"static.template\";\nprivate String staticTemplate;\n@org.apache.felix.scr.annotations.Property(label = \"Editable Template\",\n description = \"The value to update the cq:template with, this should be the new Editable Template.\")\n private static final String PROP_EDITABLE_TEMPLATE = \"editable.template\";\nprivate String editableTemplate;\n@org.apache.felix.scr.annotations.Property(label = \"Sling Resource Type\",\n description = \"The value to update the sling:resourceType with, this should be the same as the \" +\n \"new Editable Template.\")\n private static final String PROP_SLING_RESOURCE_TYPE = \"sling.resourceType\";\nprivate String slingResourceType;\n@org.apache.felix.scr.annotations.Property(label = \"Component Order\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify the order of the components in the new responsive grid. \" +\n \"Any found and unspecified are moved to the end in arbitrary order.\")\n private static final String PROP_ORDER_COMPONENTS = \"order.components\";\nprivate Map<String, List<String>> componentOrdering = new HashMap<>();\n@org.apache.felix.scr.annotations.Property(label = \"Remove Components\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify any components that may exist on the static page that can be removed.\")\n private static final String PROP_REMOVE_COMPONENTS = \"remove.components\";\nprivate String[] componentsToRemove;\n@org.apache.felix.scr.annotations.Property(label = \"Rename Components\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify new name for components as they are moved into the root responsive grid.\")\n private static final String PROP_RENAME_COMPONENTS = \"rename.components\";\nprivate Map<String, String> componentRenamed;\nprivate List<String> nested = new ArrayList<>();\nprivate int ranking = Integer.MAX_VALUE;\nprivate static final String RESPONSIVE_GRID_NODE_NAME = \"root\";\n\nmethod_signatures: @Override public boolean matches(Node root)\n@Override public Node applyTo(Node root, Set<Node> finalNodes)\nprivate List<String> moveStructure(Node source, Node target, List<String> ignored)\nprivate void reorderChildren(List<String> names, List<String> order, Node parent)\n@Activate protected void activate(ComponentContext context)\n@Override public String getStaticTemplate()\n@Override public int getRanking()\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: PageRewriteRuleTest\n\nclass_fields: private final String ROOTS_PATH = \"/libs/cq/modernize/templatestructure/content/roots\";\nprivate static final String STATIC_TEMPLATE = \"/apps/geometrixx/templates/homepage\";\nprivate static final String EDITABLE_TEMPLATE = \"/conf/geodemo/settings/wcm/templates/geometrixx-demo-home-page\";\nprivate static final String SLING_RESOURCE_TYPE = \"geodemo/components/structure/page\";\nprivate static final String[] ORDER = {\n \"responsivegrid\",\n \"responsivegrid_12345\",\n \"responsivegrid:header\",\n \"responsivegrid:title\"\n };\nprivate static final String[] REMOVE = { \"toBeRemoved\" };\nprivate static final String[] RENAME = { \"par:responsivegrid/responsivegrid\", \"rightpar:responsivegrid_12345\" };\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\nprivate BundleContext bundleContext;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/PageRewriteRule.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public boolean matches(Node root) throws RepositoryException {\n if (!root.hasProperty(NameConstants.NN_TEMPLATE)) {\n return false;\n }\n String template = root.getProperty(NameConstants.NN_TEMPLATE).getString();\n return StringUtils.equals(staticTemplate, template);\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/rules/PageRewriteRuleTest.java\n </TESTFILE7041>\n @Test\n public void testDoesNotMatch() throws Exception {\n Node rootNode = context.resourceResolver().getResource(ROOTS_PATH + \"/doesNotMatch/jcr:content\").adaptTo(Node.class);\n\n ServiceReference ref = bundleContext.getServiceReference(StructureRewriteRule.class.getName());\n StructureRewriteRule rule = bundleContext.<StructureRewriteRule>getService(ref);\n\n assertFalse(rule.matches(rootNode));\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/sleuthkit/hadoop_framework
java
core/src/main/java/com/lightboxtechnologies/spectrum/ExtentsInputStream.java
core/src/test/java/com/lightboxtechnologies/spectrum/ExtentsInputStreamTest.java
@Override public int read() throws IOException { final byte[] b = new byte[1]; // keep trying until we read one byte or hit EOF int rlen; do { rlen = read(b, 0, 1); } while (rlen == 0); return rlen == -1 ? -1 : b[0]; }
read
@Test public void readIntOneExtentTest() throws IOException { final Map<String,Object> extent = new HashMap<String,Object>(); extent.put("addr", Long.valueOf(42)); extent.put("len", Long.valueOf(10)); final List<Map<String,Object>> extents = Collections.singletonList(extent); final byte[] src = new byte[1024]; for (int i = 0; i < src.length; ++i) { src[i] = (byte) (i % 256); } final FSDataInputStream in = new ArrayFSDataInputStream(src); final InputStream eis = new ExtentsInputStream(in, extents); assertEquals(src[42], eis.read()); }
readIntOneExtentTest
[ "read" ]
[ "put", "valueOf", "put", "valueOf", "singletonList", "assertEquals", "read" ]
{ "class_fields": "protected final Mockery context = new JUnit4Mockery() {\n {\n setImposteriser(ClassImposteriser.INSTANCE);\n }\n };", "class_name": "ExtentsInputStreamTest" }
{ "class_fields": "protected final FSDataInputStream in;\nprotected final Iterator<Map<String,Object>> ext_iter;\nprotected Map<String,?> cur_extent = null;\nprotected long cur_pos;\nprotected long cur_end;", "class_name": "ExtentsInputStream extends InputStream", "method_signatures": "public ExtentsInputStream(FSDataInputStream in,\n List<Map<String,Object>> extents)\nprotected boolean prepareExtent()\n@Override public int read()\n@Override public int read(byte[] buf, int off, int len)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: core/src/main/java/com/lightboxtechnologies/spectrum/ExtentsInputStream.java for which to generate the test case is:\nclass_name: ExtentsInputStream extends InputStream\n\nclass_fields: protected final FSDataInputStream in;\nprotected final Iterator<Map<String,Object>> ext_iter;\nprotected Map<String,?> cur_extent = null;\nprotected long cur_pos;\nprotected long cur_end;\n\nmethod_signatures: public ExtentsInputStream(FSDataInputStream in,\n List<Map<String,Object>> extents)\nprotected boolean prepareExtent()\n@Override public int read()\n@Override public int read(byte[] buf, int off, int len)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: ExtentsInputStreamTest\n\nclass_fields: protected final Mockery context = new JUnit4Mockery() {\n {\n setImposteriser(ClassImposteriser.INSTANCE);\n }\n };\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file core/src/main/java/com/lightboxtechnologies/spectrum/ExtentsInputStream.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public int read() throws IOException {\n final byte[] b = new byte[1];\n\n // keep trying until we read one byte or hit EOF\n int rlen;\n do {\n rlen = read(b, 0, 1);\n } while (rlen == 0);\n\n return rlen == -1 ? -1 : b[0];\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n core/src/test/java/com/lightboxtechnologies/spectrum/ExtentsInputStreamTest.java\n </TESTFILE7041>\n @Test\n public void readIntOneExtentTest() throws IOException {\n final Map<String,Object> extent = new HashMap<String,Object>();\n extent.put(\"addr\", Long.valueOf(42));\n extent.put(\"len\", Long.valueOf(10));\n \n final List<Map<String,Object>> extents = Collections.singletonList(extent);\n\n final byte[] src = new byte[1024]; \n for (int i = 0; i < src.length; ++i) {\n src[i] = (byte) (i % 256);\n }\n\n final FSDataInputStream in = new ArrayFSDataInputStream(src);\n\n final InputStream eis = new ExtentsInputStream(in, extents);\n\n assertEquals(src[42], eis.read());\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/CodeQInvest/codeq-invest
java
quality-assessment/src/main/java/org/codeqinvest/quality/analysis/DefaultQualityAnalyzerService.java
quality-assessment/src/test/java/org/codeqinvest/quality/analysis/DefaultQualityAnalyzerServiceTest.java
@Override public QualityAnalysis analyzeProject(Project project) { try { ViolationsAnalysisResult violationsAnalysisResult = violationsCalculatorService.calculateAllViolation(project); if (!violationsAnalysisResult.isSuccessful()) { log.error("Quality analysis for project {} failed due '{}'", project.getName(), violationsAnalysisResult.getFailureReason().get()); return qualityAnalysisRepository.save(QualityAnalysis.failed(project, zeroCostsForEachViolation(violationsAnalysisResult), violationsAnalysisResult.getFailureReason().get())); } log.info("Checking the availability of the SCM system {} for project {}", project.getScmSettings(), project.getName()); if (!scmAvailabilityCheckerServiceFactory.create(project.getScmSettings()).isAvailable(project.getScmSettings())) { return qualityAnalysisRepository.save(QualityAnalysis.failed(project, zeroCostsForEachViolation(violationsAnalysisResult), "The scm system is not available.")); } QualityAnalysis qualityAnalysis = addChangeProbabilityToEachArtifact(project, violationsAnalysisResult); if (!qualityAnalysis.isSuccessful()) { return qualityAnalysisRepository.save(qualityAnalysis); } qualityAnalysis = addSecureChangeProbabilityToEachArtifact(project, qualityAnalysis); log.info("Quality analysis succeeded for project {} with {} violations.", project.getName(), violationsAnalysisResult.getViolations().size()); return qualityAnalysisRepository.save(qualityAnalysis); } catch (Exception e) { String errorMessage = "Unexpected error occured during quality analysis!"; log.error(errorMessage, e); return QualityAnalysis.failed(project, new ArrayList<QualityViolation>(), errorMessage); } }
analyzeProject
@Test public void failedAnalysisWhenProblemWithScmConnectionEncodingOccurred() throws CodeChurnCalculationException, ScmConnectionEncodingException { QualityAnalyzerService qualityAnalyzerService = createMockedSystemThatThrowsExceptionInCodeChangeCalculation(ScmConnectionEncodingException.class); QualityAnalysis analysis = qualityAnalyzerService.analyzeProject(project); assertThat(analysis.isSuccessful()).isFalse(); }
failedAnalysisWhenProblemWithScmConnectionEncodingOccurred
[ "calculateAllViolation", "isSuccessful", "error", "getName", "get", "getFailureReason", "save", "failed", "zeroCostsForEachViolation", "get", "getFailureReason", "info", "getScmSettings", "getName", "isAvailable", "create", "getScmSettings", "getScmSettings", "save", "failed", "zeroCostsForEachViolation", "addChangeProbabilityToEachArtifact", "isSuccessful", "save", "addSecureChangeProbabilityToEachArtifact", "info", "getName", "size", "getViolations", "save", "error", "failed" ]
[ "createMockedSystemThatThrowsExceptionInCodeChangeCalculation", "analyzeProject", "isFalse", "assertThat", "isSuccessful" ]
{ "class_fields": "private QualityProfile profile;\nprivate QualityRequirement firstRequirement;\nprivate QualityRequirement secondRequirement;\nprivate Project project;\nprivate ScmAvailabilityCheckerServiceFactory scmAvailabilityCheckerServiceFactory;\nprivate SecureChangeProbabilityCalculator secureChangeProbabilityCalculator;\nprivate QualityViolationCostsCalculator costsCalculator;\nprivate QualityAnalysisRepository qualityAnalysisRepository;", "class_name": "DefaultQualityAnalyzerServiceTest" }
{ "class_fields": "private final ViolationsCalculatorService violationsCalculatorService;\nprivate final ScmAvailabilityCheckerServiceFactory scmAvailabilityCheckerServiceFactory;\nprivate final CodeChangeProbabilityCalculatorFactory codeChangeProbabilityCalculatorFactory;\nprivate final SecureChangeProbabilityCalculator secureChangeProbabilityCalculator;\nprivate final QualityViolationCostsCalculator costsCalculator;\nprivate final QualityAnalysisRepository qualityAnalysisRepository;", "class_name": "DefaultQualityAnalyzerService implements QualityAnalyzerService", "method_signatures": "@Autowired public DefaultQualityAnalyzerService(ViolationsCalculatorService violationsCalculatorService,\n ScmAvailabilityCheckerServiceFactory scmAvailabilityCheckerServiceFactory,\n CodeChangeProbabilityCalculatorFactory codeChangeProbabilityCalculatorFactory,\n SecureChangeProbabilityCalculator secureChangeProbabilityCalculator,\n QualityViolationCostsCalculator costsCalculator,\n QualityAnalysisRepository qualityAnalysisRepository)\n@Override public QualityAnalysis analyzeProject(Project project)\nprivate QualityAnalysis addChangeProbabilityToEachArtifact(Project project, ViolationsAnalysisResult violationsAnalysisResult)\nprivate QualityAnalysis addSecureChangeProbabilityToEachArtifact(Project project, QualityAnalysis qualityAnalysis)\nprivate void logFailedAnalysis(Project project, Exception e)\nprivate List<QualityViolation> calculateCostsForEachViolation(SonarConnectionSettings sonarConnectionSettings, ViolationsAnalysisResult violationsAnalysisResult)\nprivate List<QualityViolation> zeroCostsForEachViolation(ViolationsAnalysisResult violationsAnalysisResult)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: quality-assessment/src/main/java/org/codeqinvest/quality/analysis/DefaultQualityAnalyzerService.java for which to generate the test case is:\nclass_name: DefaultQualityAnalyzerService implements QualityAnalyzerService\n\nclass_fields: private final ViolationsCalculatorService violationsCalculatorService;\nprivate final ScmAvailabilityCheckerServiceFactory scmAvailabilityCheckerServiceFactory;\nprivate final CodeChangeProbabilityCalculatorFactory codeChangeProbabilityCalculatorFactory;\nprivate final SecureChangeProbabilityCalculator secureChangeProbabilityCalculator;\nprivate final QualityViolationCostsCalculator costsCalculator;\nprivate final QualityAnalysisRepository qualityAnalysisRepository;\n\nmethod_signatures: @Autowired public DefaultQualityAnalyzerService(ViolationsCalculatorService violationsCalculatorService,\n ScmAvailabilityCheckerServiceFactory scmAvailabilityCheckerServiceFactory,\n CodeChangeProbabilityCalculatorFactory codeChangeProbabilityCalculatorFactory,\n SecureChangeProbabilityCalculator secureChangeProbabilityCalculator,\n QualityViolationCostsCalculator costsCalculator,\n QualityAnalysisRepository qualityAnalysisRepository)\n@Override public QualityAnalysis analyzeProject(Project project)\nprivate QualityAnalysis addChangeProbabilityToEachArtifact(Project project, ViolationsAnalysisResult violationsAnalysisResult)\nprivate QualityAnalysis addSecureChangeProbabilityToEachArtifact(Project project, QualityAnalysis qualityAnalysis)\nprivate void logFailedAnalysis(Project project, Exception e)\nprivate List<QualityViolation> calculateCostsForEachViolation(SonarConnectionSettings sonarConnectionSettings, ViolationsAnalysisResult violationsAnalysisResult)\nprivate List<QualityViolation> zeroCostsForEachViolation(ViolationsAnalysisResult violationsAnalysisResult)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: DefaultQualityAnalyzerServiceTest\n\nclass_fields: private QualityProfile profile;\nprivate QualityRequirement firstRequirement;\nprivate QualityRequirement secondRequirement;\nprivate Project project;\nprivate ScmAvailabilityCheckerServiceFactory scmAvailabilityCheckerServiceFactory;\nprivate SecureChangeProbabilityCalculator secureChangeProbabilityCalculator;\nprivate QualityViolationCostsCalculator costsCalculator;\nprivate QualityAnalysisRepository qualityAnalysisRepository;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file quality-assessment/src/main/java/org/codeqinvest/quality/analysis/DefaultQualityAnalyzerService.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public QualityAnalysis analyzeProject(Project project) {\n try {\n ViolationsAnalysisResult violationsAnalysisResult = violationsCalculatorService.calculateAllViolation(project);\n if (!violationsAnalysisResult.isSuccessful()) {\n log.error(\"Quality analysis for project {} failed due '{}'\", project.getName(), violationsAnalysisResult.getFailureReason().get());\n return qualityAnalysisRepository.save(QualityAnalysis.failed(project,\n zeroCostsForEachViolation(violationsAnalysisResult),\n violationsAnalysisResult.getFailureReason().get()));\n }\n\n log.info(\"Checking the availability of the SCM system {} for project {}\", project.getScmSettings(), project.getName());\n if (!scmAvailabilityCheckerServiceFactory.create(project.getScmSettings()).isAvailable(project.getScmSettings())) {\n return qualityAnalysisRepository.save(QualityAnalysis.failed(project,\n zeroCostsForEachViolation(violationsAnalysisResult), \"The scm system is not available.\"));\n }\n\n QualityAnalysis qualityAnalysis = addChangeProbabilityToEachArtifact(project, violationsAnalysisResult);\n if (!qualityAnalysis.isSuccessful()) {\n return qualityAnalysisRepository.save(qualityAnalysis);\n }\n\n qualityAnalysis = addSecureChangeProbabilityToEachArtifact(project, qualityAnalysis);\n log.info(\"Quality analysis succeeded for project {} with {} violations.\", project.getName(), violationsAnalysisResult.getViolations().size());\n return qualityAnalysisRepository.save(qualityAnalysis);\n } catch (Exception e) {\n String errorMessage = \"Unexpected error occured during quality analysis!\";\n log.error(errorMessage, e);\n return QualityAnalysis.failed(project, new ArrayList<QualityViolation>(), errorMessage);\n }\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n quality-assessment/src/test/java/org/codeqinvest/quality/analysis/DefaultQualityAnalyzerServiceTest.java\n </TESTFILE7041>\n @Test\n public void failedAnalysisWhenProblemWithScmConnectionEncodingOccurred() throws CodeChurnCalculationException, ScmConnectionEncodingException {\n QualityAnalyzerService qualityAnalyzerService = createMockedSystemThatThrowsExceptionInCodeChangeCalculation(ScmConnectionEncodingException.class);\n QualityAnalysis analysis = qualityAnalyzerService.analyzeProject(project);\n assertThat(analysis.isSuccessful()).isFalse();\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/CodeQInvest/codeq-invest
java
quality-assessment/src/main/java/org/codeqinvest/quality/analysis/ViolationsCalculatorService.java
quality-assessment/src/test/java/org/codeqinvest/quality/analysis/ViolationsCalculatorServiceTest.java
ViolationsAnalysisResult calculateAllViolation(Project project) { if (!sonarConnectionCheckerService.isReachable(project.getSonarConnectionSettings())) { return ViolationsAnalysisResult.createFailedAnalysis(Collections.<ViolationOccurence>emptyList(), "sonar project is not reachable with supplied connection settings: " + project.getSonarConnectionSettings().toString()); } log.info("Start violation analysis for project {}", project.getName()); Map<String, Artefact> artefactsThatHaveAtLeastOneViolation = Maps.newHashMap(); List<ViolationOccurence> violations = new ArrayList<ViolationOccurence>(); long violationsOfCurrentArtefact = 0; for (Resource resource : resourcesCollectorService.collectAllResourcesForProject(project.getSonarConnectionSettings())) { log.info("Analyzing resource {}", resource.getLongName()); violationsOfCurrentArtefact = 0; for (QualityRequirement qualityRequirement : project.getProfile().getRequirements()) { final double weightingMetricValue; final double metricValue; try { weightingMetricValue = metricCollectorService.collectMetricForResource(project.getSonarConnectionSettings(), resource.getKey(), qualityRequirement.getWeightingMetricIdentifier()); metricValue = metricCollectorService.collectMetricForResource(project.getSonarConnectionSettings(), resource.getKey(), qualityRequirement.getCriteria().getMetricIdentifier()); } catch (ResourceNotFoundException e) { log.warn("Quality analysis run failed due one resource or metric could not be find in Sonar!", e); return ViolationsAnalysisResult.createFailedAnalysis(violations, "resource " + resource.getKey() + " or metric " + qualityRequirement.getCriteria().getMetricIdentifier() + " not available on Sonar"); } if (qualityRequirement.isViolated(metricValue)) { final Artefact artefact; if (artefactsThatHaveAtLeastOneViolation.containsKey(resource.getKey())) { artefact = artefactsThatHaveAtLeastOneViolation.get(resource.getKey()); } else { artefact = new Artefact(resource.getLongName(), resource.getKey()); artefactsThatHaveAtLeastOneViolation.put(resource.getKey(), artefact); } log.debug("Create quality violation for artefact {} with violated requirement {}", artefact.getName(), qualityRequirement.getCriteria()); violations.add(new ViolationOccurence(qualityRequirement, artefact, weightingMetricValue)); violationsOfCurrentArtefact++; } } log.info("Found {} violations at resource {}", violationsOfCurrentArtefact, resource.getLongName()); } log.info("Successfully analysed project {} and found {} quality violations in {} artefacts", project.getName(), violations.size(), artefactsThatHaveAtLeastOneViolation.size()); return ViolationsAnalysisResult.createSuccessfulAnalysis(violations); }
calculateAllViolation
@Test public void failedViolationAnalysisResultWhenSonarProjectIsNotReachable() { SonarConnectionSettings connectionSettings = new SonarConnectionSettings(defaultSonarHost, "abc"); Project project = mock(Project.class); when(project.getSonarConnectionSettings()).thenReturn(connectionSettings); SonarConnectionCheckerService connectionCheckerService = mock(SonarConnectionCheckerService.class); when(connectionCheckerService.isReachable(any(SonarConnectionSettings.class))).thenReturn(false); ViolationsCalculatorService violationsCalculatorService = new ViolationsCalculatorService(connectionCheckerService, new ResourcesCollectorService(), new MetricCollectorService()); assertThat(violationsCalculatorService.calculateAllViolation(project).isSuccessful()).isFalse(); }
failedViolationAnalysisResultWhenSonarProjectIsNotReachable
[ "isReachable", "getSonarConnectionSettings", "createFailedAnalysis", "emptyList", "toString", "getSonarConnectionSettings", "info", "getName", "newHashMap", "collectAllResourcesForProject", "getSonarConnectionSettings", "info", "getLongName", "getRequirements", "getProfile", "collectMetricForResource", "getSonarConnectionSettings", "getKey", "getWeightingMetricIdentifier", "collectMetricForResource", "getSonarConnectionSettings", "getKey", "getMetricIdentifier", "getCriteria", "warn", "createFailedAnalysis", "getKey", "getMetricIdentifier", "getCriteria", "isViolated", "containsKey", "getKey", "get", "getKey", "getLongName", "getKey", "put", "getKey", "debug", "getName", "getCriteria", "add", "info", "getLongName", "info", "getName", "size", "size", "createSuccessfulAnalysis" ]
[ "mock", "thenReturn", "when", "getSonarConnectionSettings", "mock", "thenReturn", "when", "isReachable", "any", "isFalse", "assertThat", "isSuccessful", "calculateAllViolation" ]
{ "class_fields": "private final String defaultSonarHost = \"http://localhost\";\nprivate QualityProfile profile;\nprivate QualityRequirement firstRequirement;\nprivate QualityRequirement secondRequirement;\nprivate Project project;\nprivate SonarConnectionCheckerService connectionCheckerService;", "class_name": "ViolationsCalculatorServiceTest" }
{ "class_fields": "private final SonarConnectionCheckerService sonarConnectionCheckerService;\nprivate final ResourcesCollectorService resourcesCollectorService;\nprivate final MetricCollectorService metricCollectorService;", "class_name": "ViolationsCalculatorService", "method_signatures": "@Autowired public ViolationsCalculatorService(SonarConnectionCheckerService sonarConnectionCheckerService,\n ResourcesCollectorService resourcesCollectorService,\n MetricCollectorService metricCollectorService)\n ViolationsAnalysisResult calculateAllViolation(Project project)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: quality-assessment/src/main/java/org/codeqinvest/quality/analysis/ViolationsCalculatorService.java for which to generate the test case is:\nclass_name: ViolationsCalculatorService\n\nclass_fields: private final SonarConnectionCheckerService sonarConnectionCheckerService;\nprivate final ResourcesCollectorService resourcesCollectorService;\nprivate final MetricCollectorService metricCollectorService;\n\nmethod_signatures: @Autowired public ViolationsCalculatorService(SonarConnectionCheckerService sonarConnectionCheckerService,\n ResourcesCollectorService resourcesCollectorService,\n MetricCollectorService metricCollectorService)\n ViolationsAnalysisResult calculateAllViolation(Project project)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: ViolationsCalculatorServiceTest\n\nclass_fields: private final String defaultSonarHost = \"http://localhost\";\nprivate QualityProfile profile;\nprivate QualityRequirement firstRequirement;\nprivate QualityRequirement secondRequirement;\nprivate Project project;\nprivate SonarConnectionCheckerService connectionCheckerService;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file quality-assessment/src/main/java/org/codeqinvest/quality/analysis/ViolationsCalculatorService.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n ViolationsAnalysisResult calculateAllViolation(Project project) {\n if (!sonarConnectionCheckerService.isReachable(project.getSonarConnectionSettings())) {\n return ViolationsAnalysisResult.createFailedAnalysis(Collections.<ViolationOccurence>emptyList(),\n \"sonar project is not reachable with supplied connection settings: \" + project.getSonarConnectionSettings().toString());\n }\n\n log.info(\"Start violation analysis for project {}\", project.getName());\n Map<String, Artefact> artefactsThatHaveAtLeastOneViolation = Maps.newHashMap();\n List<ViolationOccurence> violations = new ArrayList<ViolationOccurence>();\n long violationsOfCurrentArtefact = 0;\n for (Resource resource : resourcesCollectorService.collectAllResourcesForProject(project.getSonarConnectionSettings())) {\n log.info(\"Analyzing resource {}\", resource.getLongName());\n violationsOfCurrentArtefact = 0;\n for (QualityRequirement qualityRequirement : project.getProfile().getRequirements()) {\n\n final double weightingMetricValue;\n final double metricValue;\n try {\n weightingMetricValue = metricCollectorService.collectMetricForResource(project.getSonarConnectionSettings(),\n resource.getKey(), qualityRequirement.getWeightingMetricIdentifier());\n metricValue = metricCollectorService.collectMetricForResource(project.getSonarConnectionSettings(),\n resource.getKey(), qualityRequirement.getCriteria().getMetricIdentifier());\n } catch (ResourceNotFoundException e) {\n log.warn(\"Quality analysis run failed due one resource or metric could not be find in Sonar!\", e);\n return ViolationsAnalysisResult.createFailedAnalysis(violations, \"resource \" + resource.getKey()\n + \" or metric \" + qualityRequirement.getCriteria().getMetricIdentifier() + \" not available on Sonar\");\n }\n\n if (qualityRequirement.isViolated(metricValue)) {\n final Artefact artefact;\n if (artefactsThatHaveAtLeastOneViolation.containsKey(resource.getKey())) {\n artefact = artefactsThatHaveAtLeastOneViolation.get(resource.getKey());\n } else {\n artefact = new Artefact(resource.getLongName(), resource.getKey());\n artefactsThatHaveAtLeastOneViolation.put(resource.getKey(), artefact);\n }\n\n log.debug(\"Create quality violation for artefact {} with violated requirement {}\",\n artefact.getName(), qualityRequirement.getCriteria());\n violations.add(new ViolationOccurence(qualityRequirement, artefact, weightingMetricValue));\n violationsOfCurrentArtefact++;\n }\n }\n log.info(\"Found {} violations at resource {}\", violationsOfCurrentArtefact, resource.getLongName());\n }\n\n log.info(\"Successfully analysed project {} and found {} quality violations in {} artefacts\",\n project.getName(), violations.size(), artefactsThatHaveAtLeastOneViolation.size());\n return ViolationsAnalysisResult.createSuccessfulAnalysis(violations);\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n quality-assessment/src/test/java/org/codeqinvest/quality/analysis/ViolationsCalculatorServiceTest.java\n </TESTFILE7041>\n @Test\n public void failedViolationAnalysisResultWhenSonarProjectIsNotReachable() {\n SonarConnectionSettings connectionSettings = new SonarConnectionSettings(defaultSonarHost, \"abc\");\n Project project = mock(Project.class);\n when(project.getSonarConnectionSettings()).thenReturn(connectionSettings);\n SonarConnectionCheckerService connectionCheckerService = mock(SonarConnectionCheckerService.class);\n when(connectionCheckerService.isReachable(any(SonarConnectionSettings.class))).thenReturn(false);\n\n ViolationsCalculatorService violationsCalculatorService = new ViolationsCalculatorService(connectionCheckerService,\n new ResourcesCollectorService(), new MetricCollectorService());\n assertThat(violationsCalculatorService.calculateAllViolation(project).isSuccessful()).isFalse();\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/CodeQInvest/codeq-invest
java
quality-assessment/src/main/java/org/codeqinvest/quality/analysis/AnalyzerRunnable.java
quality-assessment/src/test/java/org/codeqinvest/quality/analysis/AnalyzerRunnableTest.java
@Override public void run() { Project project = projectRepository.findOne(projectId); if (project != null) { project.setHadAnalysis(true); projectRepository.save(project); log.info("Start analyzer run for project {}", project.getName()); qualityAnalyzerService.analyzeProject(project); log.info("Finished analyzer run for project {}", project.getName()); } else { log.error("Could not find project with id " + projectId + " for starting an analyzer run!"); } }
run
@Test public void markProjectAsHadAnalysis() { analyzerRunnable.run(); verify(project).setHadAnalysis(true); }
markProjectAsHadAnalysis
[ "findOne", "setHadAnalysis", "save", "info", "getName", "analyzeProject", "info", "getName", "error" ]
[ "run", "setHadAnalysis", "verify" ]
{ "class_fields": "private AnalyzerRunnable analyzerRunnable;\nprivate Project project;\nprivate ProjectRepository projectRepository;\nprivate QualityAnalyzerService analyzerService;", "class_name": "AnalyzerRunnableTest" }
{ "class_fields": "private final long projectId;\nprivate final ProjectRepository projectRepository;\nprivate final QualityAnalyzerService qualityAnalyzerService;", "class_name": "AnalyzerRunnable implements Runnable", "method_signatures": "public AnalyzerRunnable(Project project, ProjectRepository projectRepository, QualityAnalyzerService qualityAnalyzerService)\n@Override public void run()" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: quality-assessment/src/main/java/org/codeqinvest/quality/analysis/AnalyzerRunnable.java for which to generate the test case is:\nclass_name: AnalyzerRunnable implements Runnable\n\nclass_fields: private final long projectId;\nprivate final ProjectRepository projectRepository;\nprivate final QualityAnalyzerService qualityAnalyzerService;\n\nmethod_signatures: public AnalyzerRunnable(Project project, ProjectRepository projectRepository, QualityAnalyzerService qualityAnalyzerService)\n@Override public void run()\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: AnalyzerRunnableTest\n\nclass_fields: private AnalyzerRunnable analyzerRunnable;\nprivate Project project;\nprivate ProjectRepository projectRepository;\nprivate QualityAnalyzerService analyzerService;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file quality-assessment/src/main/java/org/codeqinvest/quality/analysis/AnalyzerRunnable.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public void run() {\n Project project = projectRepository.findOne(projectId);\n if (project != null) {\n project.setHadAnalysis(true);\n projectRepository.save(project);\n\n log.info(\"Start analyzer run for project {}\", project.getName());\n qualityAnalyzerService.analyzeProject(project);\n log.info(\"Finished analyzer run for project {}\", project.getName());\n } else {\n log.error(\"Could not find project with id \" + projectId + \" for starting an analyzer run!\");\n }\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n quality-assessment/src/test/java/org/codeqinvest/quality/analysis/AnalyzerRunnableTest.java\n </TESTFILE7041>\n @Test\n public void markProjectAsHadAnalysis() {\n analyzerRunnable.run();\n verify(project).setHadAnalysis(true);\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/CodeQInvest/codeq-invest
java
investment-decision-making/src/main/java/org/codeqinvest/investment/profit/ProfitCalculator.java
investment-decision-making/src/test/java/org/codeqinvest/investment/profit/ProfitCalculatorTest.java
public double calculateProfit(QualityViolation violation) { double nonRemediationCosts = violation.getNonRemediationCosts() * (violation.getArtefact().hasManualEstimate() ? violation.getArtefact().getManualEstimate() / 100.0 : violation.getArtefact().getChangeProbability()); return violation.getRequirement().isAutomaticallyFixable() ? nonRemediationCosts - violation.getRemediationCosts() : nonRemediationCosts - violation.getRemediationCosts() * violation.getArtefact().getSecureChangeProbability(); }
calculateProfit
@Test public void profitForNotAutomaticFixableViolation() { when(requirement.isAutomaticallyFixable()).thenReturn(false); when(artefact.getSecureChangeProbability()).thenReturn(1.1); assertThat(calculator.calculateProfit(violation)).isEqualTo(1.0); }
profitForNotAutomaticFixableViolation
[ "getNonRemediationCosts", "hasManualEstimate", "getArtefact", "getManualEstimate", "getArtefact", "getChangeProbability", "getArtefact", "isAutomaticallyFixable", "getRequirement", "getRemediationCosts", "getRemediationCosts", "getSecureChangeProbability", "getArtefact" ]
[ "thenReturn", "when", "isAutomaticallyFixable", "thenReturn", "when", "getSecureChangeProbability", "isEqualTo", "assertThat", "calculateProfit" ]
{ "class_fields": "private ProfitCalculator calculator;\nprivate Artefact artefact;\nprivate QualityRequirement requirement;\nprivate QualityViolation violation;", "class_name": "ProfitCalculatorTest" }
{ "class_fields": "", "class_name": "ProfitCalculator", "method_signatures": "public double calculateProfit(QualityViolation violation)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: investment-decision-making/src/main/java/org/codeqinvest/investment/profit/ProfitCalculator.java for which to generate the test case is:\nclass_name: ProfitCalculator\n\nclass_fields: \n\nmethod_signatures: public double calculateProfit(QualityViolation violation)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: ProfitCalculatorTest\n\nclass_fields: private ProfitCalculator calculator;\nprivate Artefact artefact;\nprivate QualityRequirement requirement;\nprivate QualityViolation violation;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file investment-decision-making/src/main/java/org/codeqinvest/investment/profit/ProfitCalculator.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public double calculateProfit(QualityViolation violation) {\n double nonRemediationCosts = violation.getNonRemediationCosts() * (violation.getArtefact().hasManualEstimate()\n ? violation.getArtefact().getManualEstimate() / 100.0\n : violation.getArtefact().getChangeProbability());\n\n return violation.getRequirement().isAutomaticallyFixable()\n ? nonRemediationCosts - violation.getRemediationCosts()\n : nonRemediationCosts - violation.getRemediationCosts() * violation.getArtefact().getSecureChangeProbability();\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n investment-decision-making/src/test/java/org/codeqinvest/investment/profit/ProfitCalculatorTest.java\n </TESTFILE7041>\n @Test\n public void profitForNotAutomaticFixableViolation() {\n when(requirement.isAutomaticallyFixable()).thenReturn(false);\n when(artefact.getSecureChangeProbability()).thenReturn(1.1);\n assertThat(calculator.calculateProfit(violation)).isEqualTo(1.0);\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/CodeQInvest/codeq-invest
java
code-changes-analyzer/src/main/java/org/codeqinvest/codechanges/scm/svn/SvnFileRevision.java
code-changes-analyzer/src/test/java/org/codeqinvest/codechanges/scm/svn/SvnFileRevisionTest.java
String getFilePartOfOldPath(ScmConnectionSettings connectionSettings) throws SVNException { SVNURL svnurl = SVNURL.parseURIEncoded(connectionSettings.getUrl()); List<String> splittedBasePath = splitUrl(svnurl.getPath()); List<String> splittedOldPath = splitUrl(oldPath); int i = 0; boolean foundBeginningOfSomeCommonParts = false; for (String s : splittedBasePath) { if (!foundBeginningOfSomeCommonParts && s.equalsIgnoreCase(splittedOldPath.get(0))) { foundBeginningOfSomeCommonParts = true; } if (foundBeginningOfSomeCommonParts) { i++; } } StringBuilder filePart = new StringBuilder(); boolean isFirst = true; for (; i < splittedOldPath.size(); i++) { if (!isFirst) { filePart.append('/'); } filePart.append(splittedOldPath.get(i)); isFirst = false; } return filePart.toString(); }
getFilePartOfOldPath
@Test public void shouldParseFilePartOutOfOldPathProperly() throws SVNException { ScmConnectionSettings connectionSettings = new ScmConnectionSettings("http://svn.apache.org/repos/asf/commons/proper/configuration/trunk/src/main/java"); SvnFileRevision fileRevision = new SvnFileRevision(0L, "/commons/proper/configuration/trunk/src/main/java/org/apache/commons/configuration/reloading/ManagedReloadingStrategy.java", null); assertThat(fileRevision.getFilePartOfOldPath(connectionSettings)).isEqualTo("org/apache/commons/configuration/reloading/ManagedReloadingStrategy.java"); }
shouldParseFilePartOutOfOldPathProperly
[ "parseURIEncoded", "getUrl", "splitUrl", "getPath", "splitUrl", "equalsIgnoreCase", "get", "size", "append", "append", "get", "toString" ]
[ "isEqualTo", "assertThat", "getFilePartOfOldPath" ]
{ "class_fields": "", "class_name": "SvnFileRevisionTest" }
{ "class_fields": "private final long revision;\nprivate final String oldPath;\nprivate final String newPath;", "class_name": "SvnFileRevision", "method_signatures": "SvnTarget getOldSvnTarget(ScmConnectionSettings connectionSettings)\n SvnTarget getNewSvnTarget(ScmConnectionSettings connectionSettings)\n String getFilePartOfOldPath(ScmConnectionSettings connectionSettings)\nprivate SVNURL buildUri(ScmConnectionSettings connectionSettings, String path)\nprivate String buildPath(String basePath, String newPath)\nprivate List<String> splitUrl(String url)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: code-changes-analyzer/src/main/java/org/codeqinvest/codechanges/scm/svn/SvnFileRevision.java for which to generate the test case is:\nclass_name: SvnFileRevision\n\nclass_fields: private final long revision;\nprivate final String oldPath;\nprivate final String newPath;\n\nmethod_signatures: SvnTarget getOldSvnTarget(ScmConnectionSettings connectionSettings)\n SvnTarget getNewSvnTarget(ScmConnectionSettings connectionSettings)\n String getFilePartOfOldPath(ScmConnectionSettings connectionSettings)\nprivate SVNURL buildUri(ScmConnectionSettings connectionSettings, String path)\nprivate String buildPath(String basePath, String newPath)\nprivate List<String> splitUrl(String url)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: SvnFileRevisionTest\n\nclass_fields: \n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file code-changes-analyzer/src/main/java/org/codeqinvest/codechanges/scm/svn/SvnFileRevision.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n String getFilePartOfOldPath(ScmConnectionSettings connectionSettings) throws SVNException {\n SVNURL svnurl = SVNURL.parseURIEncoded(connectionSettings.getUrl());\n\n List<String> splittedBasePath = splitUrl(svnurl.getPath());\n List<String> splittedOldPath = splitUrl(oldPath);\n int i = 0;\n boolean foundBeginningOfSomeCommonParts = false;\n for (String s : splittedBasePath) {\n if (!foundBeginningOfSomeCommonParts && s.equalsIgnoreCase(splittedOldPath.get(0))) {\n foundBeginningOfSomeCommonParts = true;\n }\n if (foundBeginningOfSomeCommonParts) {\n i++;\n }\n }\n\n StringBuilder filePart = new StringBuilder();\n boolean isFirst = true;\n for (; i < splittedOldPath.size(); i++) {\n if (!isFirst) {\n filePart.append('/');\n }\n filePart.append(splittedOldPath.get(i));\n isFirst = false;\n }\n return filePart.toString();\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n code-changes-analyzer/src/test/java/org/codeqinvest/codechanges/scm/svn/SvnFileRevisionTest.java\n </TESTFILE7041>\n @Test\n public void shouldParseFilePartOutOfOldPathProperly() throws SVNException {\n ScmConnectionSettings connectionSettings = new ScmConnectionSettings(\"http://svn.apache.org/repos/asf/commons/proper/configuration/trunk/src/main/java\");\n SvnFileRevision fileRevision = new SvnFileRevision(0L,\n \"/commons/proper/configuration/trunk/src/main/java/org/apache/commons/configuration/reloading/ManagedReloadingStrategy.java\", null);\n assertThat(fileRevision.getFilePartOfOldPath(connectionSettings)).isEqualTo(\"org/apache/commons/configuration/reloading/ManagedReloadingStrategy.java\");\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/CodeQInvest/codeq-invest
java
quality-assessment/src/main/java/org/codeqinvest/quality/analysis/SecureChangeProbabilityCalculator.java
quality-assessment/src/test/java/org/codeqinvest/quality/analysis/SecureChangeProbabilityCalculatorTest.java
public double calculateSecureChangeProbability(QualityProfile qualityProfile, SonarConnectionSettings sonarConnectionSettings, Artefact artefact) throws ResourceNotFoundException { log.info("Calculate secure change probability for artefact {}", artefact.getName()); double secureChangeProbability = 1.0; for (ChangeRiskAssessmentFunction riskAssessmentFunction : qualityProfile.getChangeRiskAssessmentFunctions()) { final double metricValueForArtefact = metricCollectorService.collectMetricForResource(sonarConnectionSettings, artefact.getSonarIdentifier(), riskAssessmentFunction.getMetricIdentifier()); secureChangeProbability += riskAssessmentFunction.getRiskChargeAmount(metricValueForArtefact); } return secureChangeProbability; }
calculateSecureChangeProbability
@Test public void profileWithNoChangeRiskAssessmentFunctions() throws ResourceNotFoundException { assertThat(secureChangeProbabilityCalculator.calculateSecureChangeProbability( profile, mock(SonarConnectionSettings.class), mock(Artefact.class))).isEqualTo(1.0); }
profileWithNoChangeRiskAssessmentFunctions
[ "info", "getName", "getChangeRiskAssessmentFunctions", "collectMetricForResource", "getSonarIdentifier", "getMetricIdentifier", "getRiskChargeAmount" ]
[ "isEqualTo", "assertThat", "calculateSecureChangeProbability", "mock", "mock" ]
{ "class_fields": "private SecureChangeProbabilityCalculator secureChangeProbabilityCalculator;\nprivate FakeMetricCollectorService metricCollectorService;\nprivate QualityProfile profile;\nprivate Artefact artefact;", "class_name": "SecureChangeProbabilityCalculatorTest" }
{ "class_fields": "private final MetricCollectorService metricCollectorService;", "class_name": "SecureChangeProbabilityCalculator", "method_signatures": "@Autowired SecureChangeProbabilityCalculator(MetricCollectorService metricCollectorService)\npublic double calculateSecureChangeProbability(QualityProfile qualityProfile, SonarConnectionSettings sonarConnectionSettings, Artefact artefact)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: quality-assessment/src/main/java/org/codeqinvest/quality/analysis/SecureChangeProbabilityCalculator.java for which to generate the test case is:\nclass_name: SecureChangeProbabilityCalculator\n\nclass_fields: private final MetricCollectorService metricCollectorService;\n\nmethod_signatures: @Autowired SecureChangeProbabilityCalculator(MetricCollectorService metricCollectorService)\npublic double calculateSecureChangeProbability(QualityProfile qualityProfile, SonarConnectionSettings sonarConnectionSettings, Artefact artefact)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: SecureChangeProbabilityCalculatorTest\n\nclass_fields: private SecureChangeProbabilityCalculator secureChangeProbabilityCalculator;\nprivate FakeMetricCollectorService metricCollectorService;\nprivate QualityProfile profile;\nprivate Artefact artefact;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file quality-assessment/src/main/java/org/codeqinvest/quality/analysis/SecureChangeProbabilityCalculator.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public double calculateSecureChangeProbability(QualityProfile qualityProfile, SonarConnectionSettings sonarConnectionSettings, Artefact artefact) throws ResourceNotFoundException {\n log.info(\"Calculate secure change probability for artefact {}\", artefact.getName());\n double secureChangeProbability = 1.0;\n for (ChangeRiskAssessmentFunction riskAssessmentFunction : qualityProfile.getChangeRiskAssessmentFunctions()) {\n final double metricValueForArtefact = metricCollectorService.collectMetricForResource(sonarConnectionSettings,\n artefact.getSonarIdentifier(),\n riskAssessmentFunction.getMetricIdentifier());\n secureChangeProbability += riskAssessmentFunction.getRiskChargeAmount(metricValueForArtefact);\n }\n return secureChangeProbability;\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n quality-assessment/src/test/java/org/codeqinvest/quality/analysis/SecureChangeProbabilityCalculatorTest.java\n </TESTFILE7041>\n @Test\n public void profileWithNoChangeRiskAssessmentFunctions() throws ResourceNotFoundException {\n assertThat(secureChangeProbabilityCalculator.calculateSecureChangeProbability(\n profile, mock(SonarConnectionSettings.class), mock(Artefact.class))).isEqualTo(1.0);\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/sleuthkit/hadoop_framework
java
core/src/main/java/com/lightboxtechnologies/spectrum/JSON.java
core/src/test/java/com/lightboxtechnologies/spectrum/JSONTest.java
public static <T> T getAs(Map<String,Object> json, String key, Class<T> type) throws DataException { final Object o = getNonNull(json, key); if (!type.isInstance(o)) { throw new DataException( key + " == " + o + ", a " + o.getClass().getName() + ", expected a " + type.getName()); } return type.cast(o); }
getAs
@Test(expected=JSON.DataException.class) public void testGetAsTypeMismatch() throws JSON.DataException { final Map<String,Object> json = new HashMap<String,Object>(); final String key = "foo"; json.put(key, 42); JSON.getAs(json, key, Map.class); }
testGetAsTypeMismatch
[ "getNonNull", "isInstance", "getName", "getClass", "getName", "cast" ]
[ "put", "getAs" ]
{ "class_fields": "", "class_name": "JSONTest" }
{ "class_fields": "", "class_name": "JSON", "method_signatures": "protected JSON()\npublic static T getAs(Map<String,Object> json, String key, Class<T> type)\npublic static Object getNonNull(Map<String,Object> json, String key)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: core/src/main/java/com/lightboxtechnologies/spectrum/JSON.java for which to generate the test case is:\nclass_name: JSON\n\nclass_fields: \n\nmethod_signatures: protected JSON()\npublic static T getAs(Map<String,Object> json, String key, Class<T> type)\npublic static Object getNonNull(Map<String,Object> json, String key)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: JSONTest\n\nclass_fields: \n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file core/src/main/java/com/lightboxtechnologies/spectrum/JSON.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public static <T> T getAs(Map<String,Object> json, String key, Class<T> type)\n throws DataException {\n final Object o = getNonNull(json, key);\n\n if (!type.isInstance(o)) {\n throw new DataException(\n key + \" == \" + o + \", a \" + o.getClass().getName() +\n \", expected a \" + type.getName());\n }\n\n return type.cast(o);\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n core/src/test/java/com/lightboxtechnologies/spectrum/JSONTest.java\n </TESTFILE7041>\n @Test(expected=JSON.DataException.class)\n public void testGetAsTypeMismatch() throws JSON.DataException {\n final Map<String,Object> json = new HashMap<String,Object>();\n final String key = \"foo\";\n json.put(key, 42);\n JSON.getAs(json, key, Map.class);\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/sleuthkit/hadoop_framework
java
core/src/main/java/com/lightboxtechnologies/nsrl/HashRecordProcessor.java
core/src/test/java/com/lightboxtechnologies/nsrl/HashRecordProcessorTest.java
public HashData process(String[] col) throws BadDataException { if (col.length < 8) { throw new BadDataException("too few columns"); } else if (col.length > 8) { throw new BadDataException("too many columns"); } long size = 0; try { size = Long.parseLong(col[4]); } catch (NumberFormatException e) { throw new BadDataException(e); } if (size < 0) { throw new BadDataException("size < 0"); } int prod_code = 0; try { prod_code = Integer.parseInt(col[5]); } catch (NumberFormatException e) { throw new BadDataException(e); } if (prod_code < 0) { throw new BadDataException("prod_code < 0"); } byte[] sha1, md5, crc32; try { sha1 = (byte[]) hex.decode(col[0]); md5 = (byte[]) hex.decode(col[1]); crc32 = (byte[]) hex.decode(col[2]); } catch (DecoderException e) { throw new BadDataException(e); } return new HashData( sha1, md5, crc32, col[3], size, prod_code, col[6], col[7] ); }
process
@Test(expected=BadDataException.class) public void processNegativeSize() throws BadDataException { final RecordProcessor<HashData> proc = new HashRecordProcessor(); proc.process(new String[] { Hex.encodeHexString(sha1), Hex.encodeHexString(md5), Hex.encodeHexString(crc32), name, String.valueOf(-1), String.valueOf(prod_code), os_code, special_code }); }
processNegativeSize
[ "parseLong", "parseInt", "decode", "decode", "decode" ]
[ "process", "encodeHexString", "encodeHexString", "encodeHexString", "valueOf", "valueOf" ]
{ "class_fields": "private static final Hex hex = new Hex();\nprivate static final String name = \"c'est ne pas un name\";\nprivate static final long size = 42;\nprivate static final int prod_code = 13;\nprivate static final String os_code = \"89\";\nprivate static final String special_code = \"so fucking special\";\nprivate static byte[] sha1;\nprivate static byte[] md5;\nprivate static byte[] crc32;", "class_name": "HashRecordProcessorTest" }
{ "class_fields": "private static final Hex hex = new Hex();", "class_name": "HashRecordProcessor implements RecordProcessor<HashData>", "method_signatures": "public HashData process(String[] col)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: core/src/main/java/com/lightboxtechnologies/nsrl/HashRecordProcessor.java for which to generate the test case is:\nclass_name: HashRecordProcessor implements RecordProcessor<HashData>\n\nclass_fields: private static final Hex hex = new Hex();\n\nmethod_signatures: public HashData process(String[] col)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: HashRecordProcessorTest\n\nclass_fields: private static final Hex hex = new Hex();\nprivate static final String name = \"c'est ne pas un name\";\nprivate static final long size = 42;\nprivate static final int prod_code = 13;\nprivate static final String os_code = \"89\";\nprivate static final String special_code = \"so fucking special\";\nprivate static byte[] sha1;\nprivate static byte[] md5;\nprivate static byte[] crc32;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file core/src/main/java/com/lightboxtechnologies/nsrl/HashRecordProcessor.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public HashData process(String[] col) throws BadDataException {\n if (col.length < 8) {\n throw new BadDataException(\"too few columns\");\n }\n else if (col.length > 8) {\n throw new BadDataException(\"too many columns\");\n }\n\n long size = 0;\n try {\n size = Long.parseLong(col[4]);\n }\n catch (NumberFormatException e) {\n throw new BadDataException(e);\n }\n\n if (size < 0) {\n throw new BadDataException(\"size < 0\");\n }\n\n int prod_code = 0;\n try {\n prod_code = Integer.parseInt(col[5]);\n }\n catch (NumberFormatException e) {\n throw new BadDataException(e);\n }\n\n if (prod_code < 0) {\n throw new BadDataException(\"prod_code < 0\");\n }\n\n byte[] sha1, md5, crc32;\n try {\n sha1 = (byte[]) hex.decode(col[0]);\n md5 = (byte[]) hex.decode(col[1]);\n crc32 = (byte[]) hex.decode(col[2]);\n }\n catch (DecoderException e) {\n throw new BadDataException(e);\n }\n\n return new HashData(\n sha1, md5, crc32, col[3], size, prod_code, col[6], col[7]\n );\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n core/src/test/java/com/lightboxtechnologies/nsrl/HashRecordProcessorTest.java\n </TESTFILE7041>\n @Test(expected=BadDataException.class)\n public void processNegativeSize() throws BadDataException {\n final RecordProcessor<HashData> proc = new HashRecordProcessor();\n proc.process(new String[] {\n Hex.encodeHexString(sha1), Hex.encodeHexString(md5),\n Hex.encodeHexString(crc32), name, String.valueOf(-1),\n String.valueOf(prod_code), os_code, special_code\n });\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/ryoasai/spring-mvc-exts
java
spring-mvc-exts/src/main/java/com/github/ryoasai/springmvc/utils/DateUtils.java
spring-mvc-exts/src/test/java/com/github/ryoasai/springmvc/utils/DateUtilsTest.java
public static Date create(int year, int month, int date) { Calendar cal = Calendar.getInstance(); cal.clear(); cal.set(year, month - 1, date); return cal.getTime(); }
create
@Test public void createYMD_HMS() { Date date = DateUtils.create(2010, 4, 12, 1, 2, 3); DateFormat df = new SimpleDateFormat("yyyy-MM-dd HH:mm:ss"); assertThat(df.format(date), is("2010-04-12 01:02:03")); }
createYMD_HMS
[ "getInstance", "clear", "set", "getTime" ]
[ "create", "assertThat", "format", "is" ]
{ "class_fields": "", "class_name": "DateUtilsTest" }
{ "class_fields": "", "class_name": "DateUtils", "method_signatures": "public static Date create(int year, int month, int date)\npublic static Date create(int year, int month, int date, int hour, int minute, int second)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: spring-mvc-exts/src/main/java/com/github/ryoasai/springmvc/utils/DateUtils.java for which to generate the test case is:\nclass_name: DateUtils\n\nclass_fields: \n\nmethod_signatures: public static Date create(int year, int month, int date)\npublic static Date create(int year, int month, int date, int hour, int minute, int second)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: DateUtilsTest\n\nclass_fields: \n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file spring-mvc-exts/src/main/java/com/github/ryoasai/springmvc/utils/DateUtils.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public static Date create(int year, int month, int date) {\n\t\tCalendar cal = Calendar.getInstance();\n\t\tcal.clear();\n\t\tcal.set(year, month - 1, date);\n\t\treturn cal.getTime();\n\t}\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n spring-mvc-exts/src/test/java/com/github/ryoasai/springmvc/utils/DateUtilsTest.java\n </TESTFILE7041>\n @Test\n\tpublic void createYMD_HMS() {\n\t\tDate date = DateUtils.create(2010, 4, 12, 1, 2, 3);\n\t\t\n\t\tDateFormat df = new SimpleDateFormat(\"yyyy-MM-dd HH:mm:ss\");\n\t\tassertThat(df.format(date), is(\"2010-04-12 01:02:03\"));\n\t}\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/sleuthkit/hadoop_framework
java
core/src/main/java/com/lightboxtechnologies/io/IOUtils.java
core/src/test/java/com/lightboxtechnologies/io/IOUtilsTest.java
public static int copy(InputStream in, OutputStream out, byte[] buffer) throws IOException { final long count = copyLarge(in, out, buffer); return count > Integer.MAX_VALUE ? -1 : (int) count; }
copy
@Test public void testCopyBuffer() throws IOException { final byte[] buf = new byte[1024]; final byte[] expected = new byte[10000]; final long seed = System.currentTimeMillis(); final Random rng = new Random(seed); rng.nextBytes(expected); final ByteArrayInputStream in = new ByteArrayInputStream(expected); final ByteArrayOutputStream out = new ByteArrayOutputStream(); final int count = IOUtils.copy(in, out, buf); assertEquals("seed == " + seed, expected.length, count); assertArrayEquals("seed == " + seed, expected, out.toByteArray()); }
testCopyBuffer
[ "copyLarge" ]
[ "currentTimeMillis", "nextBytes", "copy", "assertEquals", "assertArrayEquals", "toByteArray" ]
{ "class_fields": "protected final Mockery context = new JUnit4Mockery();", "class_name": "IOUtilsTest" }
{ "class_fields": "", "class_name": "IOUtils extends org.apache.commons.io.IOUtils", "method_signatures": "protected IOUtils()\npublic static int copy(InputStream in, OutputStream out, byte[] buffer)\npublic static long copyLarge(InputStream in, OutputStream out, byte[] buffer)\npublic static void copy(InputStream in, OutputStream out,\n byte[] buffer, long length)\npublic static void closeQuietly(Closeable c)\npublic static int read(InputStream in, byte[] buf)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: core/src/main/java/com/lightboxtechnologies/io/IOUtils.java for which to generate the test case is:\nclass_name: IOUtils extends org.apache.commons.io.IOUtils\n\nclass_fields: \n\nmethod_signatures: protected IOUtils()\npublic static int copy(InputStream in, OutputStream out, byte[] buffer)\npublic static long copyLarge(InputStream in, OutputStream out, byte[] buffer)\npublic static void copy(InputStream in, OutputStream out,\n byte[] buffer, long length)\npublic static void closeQuietly(Closeable c)\npublic static int read(InputStream in, byte[] buf)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: IOUtilsTest\n\nclass_fields: protected final Mockery context = new JUnit4Mockery();\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file core/src/main/java/com/lightboxtechnologies/io/IOUtils.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public static int copy(InputStream in, OutputStream out, byte[] buffer)\n throws IOException {\n final long count = copyLarge(in, out, buffer);\n return count > Integer.MAX_VALUE ? -1 : (int) count;\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n core/src/test/java/com/lightboxtechnologies/io/IOUtilsTest.java\n </TESTFILE7041>\n @Test\n public void testCopyBuffer() throws IOException {\n final byte[] buf = new byte[1024];\n\n final byte[] expected = new byte[10000];\n final long seed = System.currentTimeMillis();\n final Random rng = new Random(seed);\n rng.nextBytes(expected);\n\n final ByteArrayInputStream in = new ByteArrayInputStream(expected);\n final ByteArrayOutputStream out = new ByteArrayOutputStream();\n\n final int count = IOUtils.copy(in, out, buf);\n\n assertEquals(\"seed == \" + seed, expected.length, count);\n assertArrayEquals(\"seed == \" + seed, expected, out.toByteArray());\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/sleuthkit/hadoop_framework
java
core/src/main/java/com/lightboxtechnologies/spectrum/JSON.java
core/src/test/java/com/lightboxtechnologies/spectrum/JSONTest.java
public static <T> T getAs(Map<String,Object> json, String key, Class<T> type) throws DataException { final Object o = getNonNull(json, key); if (!type.isInstance(o)) { throw new DataException( key + " == " + o + ", a " + o.getClass().getName() + ", expected a " + type.getName()); } return type.cast(o); }
getAs
@Test(expected=JSON.DataException.class) public void testGetAsMissingKey() throws JSON.DataException { final Map<String,Object> json = new HashMap<String,Object>(); final String key = "foo"; JSON.getAs(json, key, String.class); }
testGetAsMissingKey
[ "getNonNull", "isInstance", "getName", "getClass", "getName", "cast" ]
[ "getAs" ]
{ "class_fields": "", "class_name": "JSONTest" }
{ "class_fields": "", "class_name": "JSON", "method_signatures": "protected JSON()\npublic static T getAs(Map<String,Object> json, String key, Class<T> type)\npublic static Object getNonNull(Map<String,Object> json, String key)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: core/src/main/java/com/lightboxtechnologies/spectrum/JSON.java for which to generate the test case is:\nclass_name: JSON\n\nclass_fields: \n\nmethod_signatures: protected JSON()\npublic static T getAs(Map<String,Object> json, String key, Class<T> type)\npublic static Object getNonNull(Map<String,Object> json, String key)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: JSONTest\n\nclass_fields: \n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file core/src/main/java/com/lightboxtechnologies/spectrum/JSON.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public static <T> T getAs(Map<String,Object> json, String key, Class<T> type)\n throws DataException {\n final Object o = getNonNull(json, key);\n\n if (!type.isInstance(o)) {\n throw new DataException(\n key + \" == \" + o + \", a \" + o.getClass().getName() +\n \", expected a \" + type.getName());\n }\n\n return type.cast(o);\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n core/src/test/java/com/lightboxtechnologies/spectrum/JSONTest.java\n </TESTFILE7041>\n @Test(expected=JSON.DataException.class)\n public void testGetAsMissingKey() throws JSON.DataException {\n final Map<String,Object> json = new HashMap<String,Object>();\n final String key = \"foo\";\n JSON.getAs(json, key, String.class);\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/eiichiro/prodigy
java
prodigy-cli/src/main/java/io/eiichiro/prodigy/cli/ConfigureCommand.java
prodigy-cli/src/test/java/io/eiichiro/prodigy/cli/ConfigureCommandTest.java
@Override public void run(Line line) throws Exception { if (line.args().size() == 1) { String profile = line.args().get(0); if (line.options().containsKey("default")) { if (!configuration.containsKey(profile)) { log.warn("Profile [" + profile + "] does not exist. Run deploy <profile> command first"); return; } configuration.put("default", profile); write(); shell.console().prompt("prodigy|" + profile + "> "); log.info("Default profile has been updated with [" + profile + "]"); log.debug("Configuration file [" + path + "] updated"); Files.readAllLines(path).stream().forEach(shell.console()::println); return; } } else if (line.args().isEmpty()) { if (line.options().isEmpty()) { read().stream().forEach(shell.console()::println); return; } } shell.console().println("Unsupported usage"); shell.console().println(usage().toString()); }
run
@Test public void testRun() throws Exception { // Args size is 0 and option not specified - existing configuration printed (but not verified) and not updated. Map<String, Object> configuration = new HashMap<>(); configuration.put("default", "profile-1"); Map<String, String> profile1 = new HashMap<>(); profile1.put("endpoint", "https://endpoint-1.execute-api.us-east-1.amazonaws.com/beta"); configuration.put("profile-1", profile1); Map<String, String> profile2 = new HashMap<>(); profile2.put("endpoint", "https://endpoint-2.execute-api.us-east-1.amazonaws.com/beta"); configuration.put("profile-2", profile2); ConfigureCommand command = new ConfigureCommand(new Shell(), configuration, Paths.get(getClass().getResource("/configure-command-test.yml").getPath())); command.run(new Line("configure", new HashMap<>(), new ArrayList<>())); assertThat(configuration.size(), is(3)); assertThat(configuration.get("default"), is("profile-1")); // Args size is 1, '--default' option specified and configuration does not contain the specified profile - warning printed (not verified) and configuration not updated. command = new ConfigureCommand(new Shell(), configuration, Paths.get(getClass().getResource("/configure-command-test.yml").getPath())); Map<String, String> options = new HashMap<>(); options.put("default", null); List<String> args = new ArrayList<>(); args.add("not-found"); command.run(new Line("configure", options, args)); assertThat(configuration.size(), is(3)); assertThat(configuration.get("default"), is("profile-1")); // Args size is 1, '--default' option specified and configuration contains the specified profile - 'default' key in the configuration is updated with the specified profile. command = spy(new ConfigureCommand(new Shell(), configuration, Paths.get(getClass().getResource("/configure-command-test.yml").getPath()))); doNothing().when(command, "write"); args = new ArrayList<>(); args.add("profile-2"); command.run(new Line("configure", options, args)); assertThat(configuration.size(), is(3)); assertThat(configuration.get("default"), is("profile-2")); verifyPrivate(command, times(1)).invoke("write"); // Any other cases - unsupported usage and configuration not updated. // Args size is 0 and option specified configuration = new HashMap<>(); configuration.put("default", "profile-1"); options = new HashMap<>(); options.put("default", null); args = new ArrayList<>(); command.run(new Line("configure", options, args)); assertThat(configuration.size(), is(1)); assertThat(configuration.get("default"), is("profile-1")); // Args size is 1 and not '--default' option specified options = new HashMap<>(); args = new ArrayList<>(); args.add("profile-2"); command.run(new Line("configure", options, args)); assertThat(configuration.size(), is(1)); assertThat(configuration.get("default"), is("profile-1")); // Args size is greater than 1 args = new ArrayList<>(); args.add("profile-2"); args.add("profile-3"); command.run(new Line("configure", options, args)); assertThat(configuration.size(), is(1)); assertThat(configuration.get("default"), is("profile-1")); }
testRun
[ "size", "args", "get", "args", "containsKey", "options", "containsKey", "warn", "put", "write", "prompt", "console", "info", "debug", "forEach", "stream", "readAllLines", "console", "isEmpty", "args", "isEmpty", "options", "forEach", "stream", "read", "console", "println", "console", "println", "console", "toString", "usage" ]
[ "put", "put", "put", "put", "put", "get", "getPath", "getResource", "getClass", "run", "assertThat", "size", "is", "assertThat", "get", "is", "get", "getPath", "getResource", "getClass", "put", "add", "run", "assertThat", "size", "is", "assertThat", "get", "is", "spy", "get", "getPath", "getResource", "getClass", "when", "doNothing", "add", "run", "assertThat", "size", "is", "assertThat", "get", "is", "invoke", "verifyPrivate", "times", "put", "put", "run", "assertThat", "size", "is", "assertThat", "get", "is", "add", "run", "assertThat", "size", "is", "assertThat", "get", "is", "add", "add", "run", "assertThat", "size", "is", "assertThat", "get", "is" ]
{ "class_fields": "", "class_name": "ConfigureCommandTest" }
{ "class_fields": "private final Log log = LogFactory.getLog(getClass());\nprivate final Shell shell;\nprivate final Map<String, Object> configuration;\nprivate final Path path;", "class_name": "ConfigureCommand implements Command", "method_signatures": "public ConfigureCommand(Shell shell, Map<String, Object> configuration, Path path)\n@Override public String name()\n@Override public Usage usage()\n@Override public void run(Line line)\nprivate void write()\nprivate List<String> read()" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: prodigy-cli/src/main/java/io/eiichiro/prodigy/cli/ConfigureCommand.java for which to generate the test case is:\nclass_name: ConfigureCommand implements Command\n\nclass_fields: private final Log log = LogFactory.getLog(getClass());\nprivate final Shell shell;\nprivate final Map<String, Object> configuration;\nprivate final Path path;\n\nmethod_signatures: public ConfigureCommand(Shell shell, Map<String, Object> configuration, Path path)\n@Override public String name()\n@Override public Usage usage()\n@Override public void run(Line line)\nprivate void write()\nprivate List<String> read()\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: ConfigureCommandTest\n\nclass_fields: \n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file prodigy-cli/src/main/java/io/eiichiro/prodigy/cli/ConfigureCommand.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public void run(Line line) throws Exception {\n if (line.args().size() == 1) {\n String profile = line.args().get(0);\n\n if (line.options().containsKey(\"default\")) {\n if (!configuration.containsKey(profile)) {\n log.warn(\"Profile [\" + profile + \"] does not exist. Run deploy <profile> command first\");\n return;\n }\n\n configuration.put(\"default\", profile);\n write();\n shell.console().prompt(\"prodigy|\" + profile + \"> \");\n log.info(\"Default profile has been updated with [\" + profile + \"]\");\n log.debug(\"Configuration file [\" + path + \"] updated\");\n Files.readAllLines(path).stream().forEach(shell.console()::println);\n return;\n }\n\n } else if (line.args().isEmpty()) {\n if (line.options().isEmpty()) {\n read().stream().forEach(shell.console()::println);\n return;\n }\n }\n\n shell.console().println(\"Unsupported usage\");\n shell.console().println(usage().toString());\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n prodigy-cli/src/test/java/io/eiichiro/prodigy/cli/ConfigureCommandTest.java\n </TESTFILE7041>\n @Test\n\tpublic void testRun() throws Exception {\n\t\t// Args size is 0 and option not specified - existing configuration printed (but not verified) and not updated.\n\t\tMap<String, Object> configuration = new HashMap<>();\n\t\tconfiguration.put(\"default\", \"profile-1\");\n\t\tMap<String, String> profile1 = new HashMap<>();\n\t\tprofile1.put(\"endpoint\", \"https://endpoint-1.execute-api.us-east-1.amazonaws.com/beta\");\n\t\tconfiguration.put(\"profile-1\", profile1);\n\t\tMap<String, String> profile2 = new HashMap<>();\n\t\tprofile2.put(\"endpoint\", \"https://endpoint-2.execute-api.us-east-1.amazonaws.com/beta\");\n\t\tconfiguration.put(\"profile-2\", profile2);\n\t\tConfigureCommand command = new ConfigureCommand(new Shell(), configuration, Paths.get(getClass().getResource(\"/configure-command-test.yml\").getPath()));\n\t\tcommand.run(new Line(\"configure\", new HashMap<>(), new ArrayList<>()));\n\t\tassertThat(configuration.size(), is(3));\n\t\tassertThat(configuration.get(\"default\"), is(\"profile-1\"));\n\t\t\n\t\t// Args size is 1, '--default' option specified and configuration does not contain the specified profile - warning printed (not verified) and configuration not updated.\n\t\tcommand = new ConfigureCommand(new Shell(), configuration, Paths.get(getClass().getResource(\"/configure-command-test.yml\").getPath()));\n\t\tMap<String, String> options = new HashMap<>();\n\t\toptions.put(\"default\", null);\n\t\tList<String> args = new ArrayList<>();\n\t\targs.add(\"not-found\");\n\t\tcommand.run(new Line(\"configure\", options, args));\n\t\tassertThat(configuration.size(), is(3));\n\t\tassertThat(configuration.get(\"default\"), is(\"profile-1\"));\n\n\t\t// Args size is 1, '--default' option specified and configuration contains the specified profile - 'default' key in the configuration is updated with the specified profile.\n\t\tcommand = spy(new ConfigureCommand(new Shell(), configuration, Paths.get(getClass().getResource(\"/configure-command-test.yml\").getPath())));\n\t\tdoNothing().when(command, \"write\");\n\t\targs = new ArrayList<>();\n\t\targs.add(\"profile-2\");\n\t\tcommand.run(new Line(\"configure\", options, args));\n\t\tassertThat(configuration.size(), is(3));\n\t\tassertThat(configuration.get(\"default\"), is(\"profile-2\"));\n\t\tverifyPrivate(command, times(1)).invoke(\"write\");\n\n\t\t// Any other cases - unsupported usage and configuration not updated.\n\t\t// Args size is 0 and option specified\n\t\tconfiguration = new HashMap<>();\n\t\tconfiguration.put(\"default\", \"profile-1\");\n\t\toptions = new HashMap<>();\n\t\toptions.put(\"default\", null);\n\t\targs = new ArrayList<>();\n\t\tcommand.run(new Line(\"configure\", options, args));\n\t\tassertThat(configuration.size(), is(1));\n\t\tassertThat(configuration.get(\"default\"), is(\"profile-1\"));\n\n\t\t// Args size is 1 and not '--default' option specified\n\t\toptions = new HashMap<>();\n\t\targs = new ArrayList<>();\n\t\targs.add(\"profile-2\");\n\t\tcommand.run(new Line(\"configure\", options, args));\n\t\tassertThat(configuration.size(), is(1));\n\t\tassertThat(configuration.get(\"default\"), is(\"profile-1\"));\n\n\t\t// Args size is greater than 1\n\t\targs = new ArrayList<>();\n\t\targs.add(\"profile-2\");\n\t\targs.add(\"profile-3\");\n\t\tcommand.run(new Line(\"configure\", options, args));\n\t\tassertThat(configuration.size(), is(1));\n\t\tassertThat(configuration.get(\"default\"), is(\"profile-1\"));\n\t}\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/adobe/aem-modernize-tools
java
bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/ParsysRewriteRule.java
bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/rules/ParsysRewriteRuleTest.java
@Override public boolean matches(Node root) throws RepositoryException { if (!root.hasProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY)) { return false; } try { String resourceType = root.getProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY).getString(); return PARSYS_RESOURCE_TYPE.equals(resourceType); } catch (RepositoryException ex) { logger.error("Error looking up sling:resourceType: {}", ex.getMessage()); } return false; }
matches
@Test public void testDoesNotMatch() throws Exception { Node rootNode = context.resourceResolver().getResource(ROOTS_PATH + "/matches/jcr:content").adaptTo(Node.class); ParsysRewriteRule rule = new ParsysRewriteRule(); assertFalse(rule.matches(rootNode)); }
testDoesNotMatch
[ "hasProperty", "getString", "getProperty", "equals", "error", "getMessage" ]
[ "adaptTo", "getResource", "resourceResolver", "assertFalse", "matches" ]
{ "class_fields": "private final String ROOTS_PATH = \"/libs/cq/modernize/templatestructure/content/roots\";\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);", "class_name": "ParsysRewriteRuleTest" }
{ "class_fields": "private static final Logger logger = LoggerFactory.getLogger(ParsysRewriteRule.class);\nprivate static final String PARSYS_RESOURCE_TYPE = \"foundation/components/parsys\";\nprivate int ranking = Integer.MAX_VALUE;", "class_name": "ParsysRewriteRule implements StructureRewriteRule", "method_signatures": "@Override public boolean matches(Node root)\n@Override public Node applyTo(Node root, Set<Node> finalNodes)\n@Activate protected void activate(ComponentContext context)\n@Override public int getRanking()" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/ParsysRewriteRule.java for which to generate the test case is:\nclass_name: ParsysRewriteRule implements StructureRewriteRule\n\nclass_fields: private static final Logger logger = LoggerFactory.getLogger(ParsysRewriteRule.class);\nprivate static final String PARSYS_RESOURCE_TYPE = \"foundation/components/parsys\";\nprivate int ranking = Integer.MAX_VALUE;\n\nmethod_signatures: @Override public boolean matches(Node root)\n@Override public Node applyTo(Node root, Set<Node> finalNodes)\n@Activate protected void activate(ComponentContext context)\n@Override public int getRanking()\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: ParsysRewriteRuleTest\n\nclass_fields: private final String ROOTS_PATH = \"/libs/cq/modernize/templatestructure/content/roots\";\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/ParsysRewriteRule.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public boolean matches(Node root) throws RepositoryException {\n if (!root.hasProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY)) {\n return false;\n }\n try {\n String resourceType = root.getProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY).getString();\n return PARSYS_RESOURCE_TYPE.equals(resourceType);\n } catch (RepositoryException ex) {\n logger.error(\"Error looking up sling:resourceType: {}\", ex.getMessage());\n }\n\n return false;\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/rules/ParsysRewriteRuleTest.java\n </TESTFILE7041>\n @Test\n public void testDoesNotMatch() throws Exception {\n Node rootNode = context.resourceResolver().getResource(ROOTS_PATH + \"/matches/jcr:content\").adaptTo(Node.class);\n ParsysRewriteRule rule = new ParsysRewriteRule();\n assertFalse(rule.matches(rootNode));\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/sleuthkit/hadoop_framework
java
core/src/main/java/com/lightboxtechnologies/spectrum/FsEntry.java
core/src/test/java/com/lightboxtechnologies/spectrum/FsEntryTest.java
public boolean parseJson(String jsonstr) { // slurp the JSON into a temporary map Map<String,Object> json = null; try { json = (Map<String,Object>) mapper.readValue(jsonstr, Map.class); } catch (IOException e) { return false; } final Map<String,Object> map = new HashMap<String,Object>(); try { final Map<String,Object> nRec = JSON.getAs(json, "name", Map.class); final String p = JSON.getAs(json, "path", String.class); final String n = JSON.getAs(nRec, "name", String.class); if (json.containsKey("fs")) { final Map<String,Object> fsRec = JSON.getAs(json, "fs", Map.class); map.put("fs_byte_offset", fsRec.get("byteOffset")); map.put("fs_id", fsRec.get("fsID")); map.put("fs_block_size", fsRec.get("blockSize")); } long sz = 0; if (json.containsKey("meta")) { final Map<String,Object> mRec = JSON.getAs(json, "meta", Map.class); Created = addDate(map, "created", mRec, "crtime"); Written = addDate(map, "written", mRec, "mtime"); Accessed = addDate(map, "accessed", mRec, "atime"); Updated = addDate(map, "updated", mRec, "ctime"); sz = (JSON.getAs(mRec, "size", Number.class)).longValue(); addOptLong(map, "meta_flags", mRec, "flags"); addOptLong(map, "uid", mRec, "uid"); addOptLong(map, "gid", mRec, "gid"); addOptLong(map, "meta_type", mRec, "type"); addOptLong(map, "seq", mRec, "seq"); addOptLong(map, "mode", mRec, "mode"); addOptLong(map, "content_len", mRec, "content_len"); addOptLong(map, "meta_addr", mRec, "addr"); addOptLong(map, "nlink", mRec, "nlink"); hasMRec = true; } else { hasMRec = false; } if (json.containsKey("attrs")) { map.put("attrs", json.get("attrs")); } Path = p; Name = n; map.put("path", Path); map.put("name", Name); Size = sz; map.put("size", Size); map.put("dirIndex", nRec.get("dirIndex")); addOptLong(map, "name_flags", nRec, "flags"); addOptLong(map, "meta_seq", nRec, "meta_seq"); addOptLong(map, "name_type", nRec, "type"); putAll(map); return true; } catch (JSON.DataException e) { return false; } }
parseJson
@Test public void testParseJson() { FsEntry e = new FsEntry(); assertEquals(null, e.getPath()); assertTrue(e.parseJson("{\"path\":\"/my/path/\", \"name\":{\"name\":\"myname\",\"flags\":3,\"meta_seq\":2,\"type\":2,\"dirIndex\":2}}")); assertEquals("/my/path/", e.getPath()); assertEquals("myname", e.getName()); assertEquals("/my/path/myname-2", e.getID()); assertEquals(null, e.getCreated()); assertEquals(3, e.get("name_flags")); assertEquals(2, e.get("meta_seq")); assertEquals(2, e.get("name_type")); assertEquals(2, e.get("dirIndex")); }
testParseJson
[ "readValue", "getAs", "getAs", "getAs", "containsKey", "getAs", "put", "get", "put", "get", "put", "get", "containsKey", "getAs", "addDate", "addDate", "addDate", "addDate", "longValue", "getAs", "addOptLong", "addOptLong", "addOptLong", "addOptLong", "addOptLong", "addOptLong", "addOptLong", "addOptLong", "addOptLong", "containsKey", "put", "get", "put", "put", "put", "put", "get", "addOptLong", "addOptLong", "addOptLong", "putAll" ]
[ "assertEquals", "getPath", "assertTrue", "parseJson", "assertEquals", "getPath", "assertEquals", "getName", "assertEquals", "getID", "assertEquals", "getCreated", "assertEquals", "get", "assertEquals", "get", "assertEquals", "get", "assertEquals", "get" ]
{ "class_fields": "private static final ObjectMapper mapper = new ObjectMapper();", "class_name": "FsEntryTest" }
{ "class_fields": "private static final long serialVersionUID = 1L;\nprivate boolean hasMRec;\nprivate String Path;\nprivate String Name;\nprivate Date Created;\nprivate Date Written;\nprivate Date Accessed;\nprivate Date Updated;\nprivate long Size;\nprivate final Map<String, Object> Changed = new HashMap<String, Object>();\nprivate final Map<String,StreamProxy> Streams = new HashMap<String,StreamProxy>();\nprivate FileSystem FS;\nprivate static final ObjectMapper mapper = new ObjectMapper();", "class_name": "FsEntry extends HashMap<String,Object>", "method_signatures": "public void clear()\npublic Map<String, Object> getChangedItems()\npublic boolean containsKey(Object key)\npublic boolean containsValue(Object value)\n@Deprecated public Set<Map.Entry<String,Object>> entrySet()\n@Deprecated public boolean equals(Object o)\npublic Object get(Object key)\npublic boolean isEmpty()\n@Deprecated public Set<String> keySet()\npublic Object put(String key, Object value)\npublic void putAll(Map<? extends String,? extends Object> m)\n@Deprecated public Object remove(Object key)\npublic int size()\n@Deprecated public Collection<Object> values()\npublic void setFileSystem(FileSystem fs)\npublic Map<String, StreamProxy> getStreams()\npublic Object getStream()\npublic Object getStream(String key)\npublic InputStream getInputStream()\npublic InputStream getInputStream(String key)\n boolean isContentHDFS()\n byte[] getContentBuffer()\n String getContentHdfsPath()\npublic boolean hasMetadata()\npublic String getPath()\npublic String getName()\npublic String getID()\npublic String extension()\npublic String fullPath()\npublic Date getCreated()\npublic Date getWritten()\npublic Date getAccessed()\npublic Date getUpdated()\npublic long getSize()\nprivate static Date addDate(Map<String,Object> map, String name, Map<String,Object> rec, String recName)\nprivate static void addOptLong(Map<String,Object> map, String name, Map<String,Object> rec, String recName)\npublic boolean parseJson(String jsonstr)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: core/src/main/java/com/lightboxtechnologies/spectrum/FsEntry.java for which to generate the test case is:\nclass_name: FsEntry extends HashMap<String,Object>\n\nclass_fields: private static final long serialVersionUID = 1L;\nprivate boolean hasMRec;\nprivate String Path;\nprivate String Name;\nprivate Date Created;\nprivate Date Written;\nprivate Date Accessed;\nprivate Date Updated;\nprivate long Size;\nprivate final Map<String, Object> Changed = new HashMap<String, Object>();\nprivate final Map<String,StreamProxy> Streams = new HashMap<String,StreamProxy>();\nprivate FileSystem FS;\nprivate static final ObjectMapper mapper = new ObjectMapper();\n\nmethod_signatures: public void clear()\npublic Map<String, Object> getChangedItems()\npublic boolean containsKey(Object key)\npublic boolean containsValue(Object value)\n@Deprecated public Set<Map.Entry<String,Object>> entrySet()\n@Deprecated public boolean equals(Object o)\npublic Object get(Object key)\npublic boolean isEmpty()\n@Deprecated public Set<String> keySet()\npublic Object put(String key, Object value)\npublic void putAll(Map<? extends String,? extends Object> m)\n@Deprecated public Object remove(Object key)\npublic int size()\n@Deprecated public Collection<Object> values()\npublic void setFileSystem(FileSystem fs)\npublic Map<String, StreamProxy> getStreams()\npublic Object getStream()\npublic Object getStream(String key)\npublic InputStream getInputStream()\npublic InputStream getInputStream(String key)\n boolean isContentHDFS()\n byte[] getContentBuffer()\n String getContentHdfsPath()\npublic boolean hasMetadata()\npublic String getPath()\npublic String getName()\npublic String getID()\npublic String extension()\npublic String fullPath()\npublic Date getCreated()\npublic Date getWritten()\npublic Date getAccessed()\npublic Date getUpdated()\npublic long getSize()\nprivate static Date addDate(Map<String,Object> map, String name, Map<String,Object> rec, String recName)\nprivate static void addOptLong(Map<String,Object> map, String name, Map<String,Object> rec, String recName)\npublic boolean parseJson(String jsonstr)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: FsEntryTest\n\nclass_fields: private static final ObjectMapper mapper = new ObjectMapper();\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file core/src/main/java/com/lightboxtechnologies/spectrum/FsEntry.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public boolean parseJson(String jsonstr) {\n \n // slurp the JSON into a temporary map\n Map<String,Object> json = null;\n try {\n json = (Map<String,Object>) mapper.readValue(jsonstr, Map.class);\n }\n catch (IOException e) {\n return false;\n }\n\n final Map<String,Object> map = new HashMap<String,Object>();\n\n try {\n final Map<String,Object> nRec = JSON.getAs(json, \"name\", Map.class);\n final String p = JSON.getAs(json, \"path\", String.class);\n final String n = JSON.getAs(nRec, \"name\", String.class);\n\n if (json.containsKey(\"fs\")) {\n final Map<String,Object> fsRec = JSON.getAs(json, \"fs\", Map.class);\n map.put(\"fs_byte_offset\", fsRec.get(\"byteOffset\"));\n map.put(\"fs_id\", fsRec.get(\"fsID\"));\n map.put(\"fs_block_size\", fsRec.get(\"blockSize\"));\n }\n\n long sz = 0;\n if (json.containsKey(\"meta\")) {\n final Map<String,Object> mRec = JSON.getAs(json, \"meta\", Map.class);\n Created = addDate(map, \"created\", mRec, \"crtime\");\n Written = addDate(map, \"written\", mRec, \"mtime\");\n Accessed = addDate(map, \"accessed\", mRec, \"atime\");\n Updated = addDate(map, \"updated\", mRec, \"ctime\");\n sz = (JSON.getAs(mRec, \"size\", Number.class)).longValue();\n addOptLong(map, \"meta_flags\", mRec, \"flags\");\n addOptLong(map, \"uid\", mRec, \"uid\");\n addOptLong(map, \"gid\", mRec, \"gid\");\n addOptLong(map, \"meta_type\", mRec, \"type\");\n addOptLong(map, \"seq\", mRec, \"seq\");\n addOptLong(map, \"mode\", mRec, \"mode\");\n addOptLong(map, \"content_len\", mRec, \"content_len\");\n addOptLong(map, \"meta_addr\", mRec, \"addr\");\n addOptLong(map, \"nlink\", mRec, \"nlink\");\n hasMRec = true;\n }\n else {\n hasMRec = false;\n }\n\n if (json.containsKey(\"attrs\")) {\n map.put(\"attrs\", json.get(\"attrs\"));\n }\n\n Path = p;\n Name = n;\n map.put(\"path\", Path);\n map.put(\"name\", Name);\n Size = sz;\n map.put(\"size\", Size);\n map.put(\"dirIndex\", nRec.get(\"dirIndex\"));\n addOptLong(map, \"name_flags\", nRec, \"flags\");\n addOptLong(map, \"meta_seq\", nRec, \"meta_seq\");\n addOptLong(map, \"name_type\", nRec, \"type\");\n putAll(map);\n return true;\n }\n catch (JSON.DataException e) {\n return false;\n }\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n core/src/test/java/com/lightboxtechnologies/spectrum/FsEntryTest.java\n </TESTFILE7041>\n @Test\n public void testParseJson() {\n FsEntry e = new FsEntry();\n assertEquals(null, e.getPath());\n assertTrue(e.parseJson(\"{\\\"path\\\":\\\"/my/path/\\\", \\\"name\\\":{\\\"name\\\":\\\"myname\\\",\\\"flags\\\":3,\\\"meta_seq\\\":2,\\\"type\\\":2,\\\"dirIndex\\\":2}}\"));\n assertEquals(\"/my/path/\", e.getPath());\n assertEquals(\"myname\", e.getName());\n assertEquals(\"/my/path/myname-2\", e.getID());\n assertEquals(null, e.getCreated());\n assertEquals(3, e.get(\"name_flags\"));\n assertEquals(2, e.get(\"meta_seq\"));\n assertEquals(2, e.get(\"name_type\"));\n assertEquals(2, e.get(\"dirIndex\"));\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/adobe/aem-modernize-tools
java
bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/PageRewriteRule.java
bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/rules/PageRewriteRuleTest.java
@Activate protected void activate(ComponentContext context) throws RepositoryException, ConfigurationException { @SuppressWarnings("unchecked") Dictionary<String, Object> props = context.getProperties(); // read service ranking property Object ranking = props.get("service.ranking"); if (ranking != null) { try { this.ranking = (Integer) ranking; } catch (ClassCastException e) { // ignore logger.warn("Found invalid service.ranking value {}", ranking); } } staticTemplate = PropertiesUtil.toString(props.get(PROP_STATIC_TEMPLATE), null); if (StringUtils.isBlank(staticTemplate)) { throw new ConfigurationException(PROP_STATIC_TEMPLATE, "Static template is required."); } editableTemplate = PropertiesUtil.toString(props.get(PROP_EDITABLE_TEMPLATE), null); if (StringUtils.isBlank(editableTemplate)) { throw new ConfigurationException(PROP_EDITABLE_TEMPLATE, "Editable template is required."); } slingResourceType = PropertiesUtil.toString(props.get(PROP_SLING_RESOURCE_TYPE), null); if (StringUtils.isBlank(slingResourceType)) { throw new ConfigurationException(PROP_SLING_RESOURCE_TYPE, "Sling Resource Type is required."); } String[] orders = PropertiesUtil.toStringArray(props.get(PROP_ORDER_COMPONENTS), new String[] {}); for (String o : orders) { String[] tmp = StringUtils.split(o, ":", 2); if (tmp.length < 1) { continue; } if (tmp.length == 2) { nested.add(tmp[1]); } String key = tmp.length == 2 ? tmp[0] : RESPONSIVE_GRID_NODE_NAME; String value = tmp.length == 2 ? tmp[1] : tmp[0]; if (componentOrdering.get(key) == null) { componentOrdering.put(key, new ArrayList<>()); } componentOrdering.get(key).add(value); } componentsToRemove = PropertiesUtil.toStringArray(props.get(PROP_REMOVE_COMPONENTS), new String[] {}); componentRenamed = RewriteUtils.toMap( PropertiesUtil.toStringArray(props.get(PROP_RENAME_COMPONENTS), new String[] {}), ":"); // Add any renamed component that contains a path separator for (String val : componentRenamed.values()) { if (val.contains("/")) { nested.add(val); } } }
activate
@Test public void testActivate() { BundleContext bundleContext = MockOsgi.newBundleContext(); PageRewriteRule rule = new PageRewriteRule(); MockOsgi.injectServices(rule, bundleContext); Dictionary<String, Object> props = new Hashtable<>(); props.put("static.template", STATIC_TEMPLATE); props.put("editable.template", EDITABLE_TEMPLATE); props.put("sling.resourceType", SLING_RESOURCE_TYPE); props.put("order.components", ORDER); props.put("remove.components", REMOVE); props.put("rename.components", RENAME); MockOsgi.activate(rule, bundleContext, props); }
testActivate
[ "getProperties", "get", "warn", "toString", "get", "isBlank", "toString", "get", "isBlank", "toString", "get", "isBlank", "toStringArray", "get", "split", "add", "get", "put", "add", "get", "toStringArray", "get", "toMap", "toStringArray", "get", "values", "contains", "add" ]
[ "newBundleContext", "injectServices", "put", "put", "put", "put", "put", "put", "activate" ]
{ "class_fields": "private final String ROOTS_PATH = \"/libs/cq/modernize/templatestructure/content/roots\";\nprivate static final String STATIC_TEMPLATE = \"/apps/geometrixx/templates/homepage\";\nprivate static final String EDITABLE_TEMPLATE = \"/conf/geodemo/settings/wcm/templates/geometrixx-demo-home-page\";\nprivate static final String SLING_RESOURCE_TYPE = \"geodemo/components/structure/page\";\nprivate static final String[] ORDER = {\n \"responsivegrid\",\n \"responsivegrid_12345\",\n \"responsivegrid:header\",\n \"responsivegrid:title\"\n };\nprivate static final String[] REMOVE = { \"toBeRemoved\" };\nprivate static final String[] RENAME = { \"par:responsivegrid/responsivegrid\", \"rightpar:responsivegrid_12345\" };\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\nprivate BundleContext bundleContext;", "class_name": "PageRewriteRuleTest" }
{ "class_fields": "private static final Logger logger = LoggerFactory.getLogger(PageRewriteRule.class);\n@org.apache.felix.scr.annotations.Property(label = \"Static Template\",\n description = \"The static template which will be updated by this Page Rewrite Rule\")\n private static final String PROP_STATIC_TEMPLATE = \"static.template\";\nprivate String staticTemplate;\n@org.apache.felix.scr.annotations.Property(label = \"Editable Template\",\n description = \"The value to update the cq:template with, this should be the new Editable Template.\")\n private static final String PROP_EDITABLE_TEMPLATE = \"editable.template\";\nprivate String editableTemplate;\n@org.apache.felix.scr.annotations.Property(label = \"Sling Resource Type\",\n description = \"The value to update the sling:resourceType with, this should be the same as the \" +\n \"new Editable Template.\")\n private static final String PROP_SLING_RESOURCE_TYPE = \"sling.resourceType\";\nprivate String slingResourceType;\n@org.apache.felix.scr.annotations.Property(label = \"Component Order\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify the order of the components in the new responsive grid. \" +\n \"Any found and unspecified are moved to the end in arbitrary order.\")\n private static final String PROP_ORDER_COMPONENTS = \"order.components\";\nprivate Map<String, List<String>> componentOrdering = new HashMap<>();\n@org.apache.felix.scr.annotations.Property(label = \"Remove Components\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify any components that may exist on the static page that can be removed.\")\n private static final String PROP_REMOVE_COMPONENTS = \"remove.components\";\nprivate String[] componentsToRemove;\n@org.apache.felix.scr.annotations.Property(label = \"Rename Components\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify new name for components as they are moved into the root responsive grid.\")\n private static final String PROP_RENAME_COMPONENTS = \"rename.components\";\nprivate Map<String, String> componentRenamed;\nprivate List<String> nested = new ArrayList<>();\nprivate int ranking = Integer.MAX_VALUE;\nprivate static final String RESPONSIVE_GRID_NODE_NAME = \"root\";", "class_name": "PageRewriteRule implements PageStructureRewriteRule", "method_signatures": "@Override public boolean matches(Node root)\n@Override public Node applyTo(Node root, Set<Node> finalNodes)\nprivate List<String> moveStructure(Node source, Node target, List<String> ignored)\nprivate void reorderChildren(List<String> names, List<String> order, Node parent)\n@Activate protected void activate(ComponentContext context)\n@Override public String getStaticTemplate()\n@Override public int getRanking()" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/PageRewriteRule.java for which to generate the test case is:\nclass_name: PageRewriteRule implements PageStructureRewriteRule\n\nclass_fields: private static final Logger logger = LoggerFactory.getLogger(PageRewriteRule.class);\n@org.apache.felix.scr.annotations.Property(label = \"Static Template\",\n description = \"The static template which will be updated by this Page Rewrite Rule\")\n private static final String PROP_STATIC_TEMPLATE = \"static.template\";\nprivate String staticTemplate;\n@org.apache.felix.scr.annotations.Property(label = \"Editable Template\",\n description = \"The value to update the cq:template with, this should be the new Editable Template.\")\n private static final String PROP_EDITABLE_TEMPLATE = \"editable.template\";\nprivate String editableTemplate;\n@org.apache.felix.scr.annotations.Property(label = \"Sling Resource Type\",\n description = \"The value to update the sling:resourceType with, this should be the same as the \" +\n \"new Editable Template.\")\n private static final String PROP_SLING_RESOURCE_TYPE = \"sling.resourceType\";\nprivate String slingResourceType;\n@org.apache.felix.scr.annotations.Property(label = \"Component Order\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify the order of the components in the new responsive grid. \" +\n \"Any found and unspecified are moved to the end in arbitrary order.\")\n private static final String PROP_ORDER_COMPONENTS = \"order.components\";\nprivate Map<String, List<String>> componentOrdering = new HashMap<>();\n@org.apache.felix.scr.annotations.Property(label = \"Remove Components\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify any components that may exist on the static page that can be removed.\")\n private static final String PROP_REMOVE_COMPONENTS = \"remove.components\";\nprivate String[] componentsToRemove;\n@org.apache.felix.scr.annotations.Property(label = \"Rename Components\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify new name for components as they are moved into the root responsive grid.\")\n private static final String PROP_RENAME_COMPONENTS = \"rename.components\";\nprivate Map<String, String> componentRenamed;\nprivate List<String> nested = new ArrayList<>();\nprivate int ranking = Integer.MAX_VALUE;\nprivate static final String RESPONSIVE_GRID_NODE_NAME = \"root\";\n\nmethod_signatures: @Override public boolean matches(Node root)\n@Override public Node applyTo(Node root, Set<Node> finalNodes)\nprivate List<String> moveStructure(Node source, Node target, List<String> ignored)\nprivate void reorderChildren(List<String> names, List<String> order, Node parent)\n@Activate protected void activate(ComponentContext context)\n@Override public String getStaticTemplate()\n@Override public int getRanking()\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: PageRewriteRuleTest\n\nclass_fields: private final String ROOTS_PATH = \"/libs/cq/modernize/templatestructure/content/roots\";\nprivate static final String STATIC_TEMPLATE = \"/apps/geometrixx/templates/homepage\";\nprivate static final String EDITABLE_TEMPLATE = \"/conf/geodemo/settings/wcm/templates/geometrixx-demo-home-page\";\nprivate static final String SLING_RESOURCE_TYPE = \"geodemo/components/structure/page\";\nprivate static final String[] ORDER = {\n \"responsivegrid\",\n \"responsivegrid_12345\",\n \"responsivegrid:header\",\n \"responsivegrid:title\"\n };\nprivate static final String[] REMOVE = { \"toBeRemoved\" };\nprivate static final String[] RENAME = { \"par:responsivegrid/responsivegrid\", \"rightpar:responsivegrid_12345\" };\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\nprivate BundleContext bundleContext;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/PageRewriteRule.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Activate\n protected void activate(ComponentContext context) throws RepositoryException, ConfigurationException {\n @SuppressWarnings(\"unchecked\")\n Dictionary<String, Object> props = context.getProperties();\n // read service ranking property\n Object ranking = props.get(\"service.ranking\");\n if (ranking != null) {\n try {\n this.ranking = (Integer) ranking;\n } catch (ClassCastException e) {\n // ignore\n logger.warn(\"Found invalid service.ranking value {}\", ranking);\n }\n }\n\n staticTemplate = PropertiesUtil.toString(props.get(PROP_STATIC_TEMPLATE), null);\n if (StringUtils.isBlank(staticTemplate)) {\n throw new ConfigurationException(PROP_STATIC_TEMPLATE, \"Static template is required.\");\n }\n\n editableTemplate = PropertiesUtil.toString(props.get(PROP_EDITABLE_TEMPLATE), null);\n if (StringUtils.isBlank(editableTemplate)) {\n throw new ConfigurationException(PROP_EDITABLE_TEMPLATE, \"Editable template is required.\");\n }\n\n slingResourceType = PropertiesUtil.toString(props.get(PROP_SLING_RESOURCE_TYPE), null);\n if (StringUtils.isBlank(slingResourceType)) {\n throw new ConfigurationException(PROP_SLING_RESOURCE_TYPE, \"Sling Resource Type is required.\");\n }\n\n\n\n String[] orders = PropertiesUtil.toStringArray(props.get(PROP_ORDER_COMPONENTS), new String[] {});\n for (String o : orders) {\n String[] tmp = StringUtils.split(o, \":\", 2);\n if (tmp.length < 1) {\n continue;\n }\n if (tmp.length == 2) {\n nested.add(tmp[1]);\n }\n String key = tmp.length == 2 ? tmp[0] : RESPONSIVE_GRID_NODE_NAME;\n String value = tmp.length == 2 ? tmp[1] : tmp[0];\n if (componentOrdering.get(key) == null) {\n componentOrdering.put(key, new ArrayList<>());\n }\n componentOrdering.get(key).add(value);\n\n }\n\n componentsToRemove = PropertiesUtil.toStringArray(props.get(PROP_REMOVE_COMPONENTS), new String[] {});\n\n componentRenamed = RewriteUtils.toMap(\n PropertiesUtil.toStringArray(props.get(PROP_RENAME_COMPONENTS), new String[] {}), \":\");\n\n // Add any renamed component that contains a path separator\n for (String val : componentRenamed.values()) {\n if (val.contains(\"/\")) {\n nested.add(val);\n }\n }\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/rules/PageRewriteRuleTest.java\n </TESTFILE7041>\n @Test\n public void testActivate() {\n BundleContext bundleContext = MockOsgi.newBundleContext();\n PageRewriteRule rule = new PageRewriteRule();\n MockOsgi.injectServices(rule, bundleContext);\n Dictionary<String, Object> props = new Hashtable<>();\n props.put(\"static.template\", STATIC_TEMPLATE);\n props.put(\"editable.template\", EDITABLE_TEMPLATE);\n props.put(\"sling.resourceType\", SLING_RESOURCE_TYPE);\n props.put(\"order.components\", ORDER);\n props.put(\"remove.components\", REMOVE);\n props.put(\"rename.components\", RENAME);\n MockOsgi.activate(rule, bundleContext, props);\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/sleuthkit/hadoop_framework
java
core/src/main/java/com/lightboxtechnologies/spectrum/KeyUtils.java
core/src/test/java/com/lightboxtechnologies/spectrum/KeyUtilsTest.java
public static byte[] makeEntryKey(byte[] hash, byte type, byte[] data) { /* Key format is: hash right-padded with zeros to 20 bytes byte 0 for md5, 1 for sha1 data as bytes The reason for padding the hash and including the type byte is to ensure that MD5s which are prefixes of SHA1s can be distinguished from them, yet still sort correctly. */ final byte[] okbytes = new byte[20+1+data.length]; Bytes.putBytes(okbytes, 0, hash, 0, hash.length); okbytes[20] = type; Bytes.putBytes(okbytes, 21, data, 0, data.length); return okbytes; }
makeEntryKey
@Test public void makeOutKeySHA1() throws Exception { final Hex hex = new Hex(); final byte[] hash = hex.decode("64fa477898e268fd30c2bfe272e5a016f5ec31c4".getBytes()); final byte type = 1; final byte[] col = "vassalengine.org/VASSAL 3.1.15".getBytes(); // It's neat that I have to cast one-byte numeric literals to bytes. // Thanks, Java! final byte[] expected = { (byte) 0x64, (byte) 0xfa, (byte) 0x47, (byte) 0x78, // SHA1 (byte) 0x98, (byte) 0xe2, (byte) 0x68, (byte) 0xfd, (byte) 0x30, (byte) 0xc2, (byte) 0xbf, (byte) 0xe2, (byte) 0x72, (byte) 0xe5, (byte) 0xa0, (byte) 0x16, (byte) 0xf5, (byte) 0xec, (byte) 0x31, (byte) 0xc4, (byte) 0x01, // type 'v', 'a', 's', 's', 'a', 'l', 'e', 'n', 'g', // column 'i', 'n', 'e', '.', 'o', 'r', 'g', '/', 'V', 'A', 'S', 'S', 'A', 'L', ' ', '3', '.', '1', '.', '1', '5' }; assertArrayEquals(expected, KeyUtils.makeEntryKey(hash, type, col)); }
makeOutKeySHA1
[ "putBytes", "putBytes" ]
[ "decode", "getBytes", "getBytes", "assertArrayEquals", "makeEntryKey" ]
{ "class_fields": "", "class_name": "KeyUtilsTest" }
{ "class_fields": "public static final byte MD5 = 0;\npublic static final byte SHA1 = 1;\npublic static final int MD5_LEN = 16;\npublic static final int SHA1_LEN = 20;", "class_name": "KeyUtils", "method_signatures": "public static byte[] makeEntryKey(byte[] hash, byte type, byte[] data)\npublic static int getHashLength(byte[] key)\npublic static byte[] getHash(byte[] key)\npublic static int getHash(byte[] hash, byte[] key)\npublic static byte[] getFsEntryID(byte[] key)\npublic static int getFsEntryID(byte[] id, byte[] key)\npublic static byte[] getImageID(byte[] key)\npublic static int getImageID(byte[] imgID, byte[] key)\npublic static boolean isType2(byte[] key)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: core/src/main/java/com/lightboxtechnologies/spectrum/KeyUtils.java for which to generate the test case is:\nclass_name: KeyUtils\n\nclass_fields: public static final byte MD5 = 0;\npublic static final byte SHA1 = 1;\npublic static final int MD5_LEN = 16;\npublic static final int SHA1_LEN = 20;\n\nmethod_signatures: public static byte[] makeEntryKey(byte[] hash, byte type, byte[] data)\npublic static int getHashLength(byte[] key)\npublic static byte[] getHash(byte[] key)\npublic static int getHash(byte[] hash, byte[] key)\npublic static byte[] getFsEntryID(byte[] key)\npublic static int getFsEntryID(byte[] id, byte[] key)\npublic static byte[] getImageID(byte[] key)\npublic static int getImageID(byte[] imgID, byte[] key)\npublic static boolean isType2(byte[] key)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: KeyUtilsTest\n\nclass_fields: \n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file core/src/main/java/com/lightboxtechnologies/spectrum/KeyUtils.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public static byte[] makeEntryKey(byte[] hash, byte type, byte[] data) {\n /*\n Key format is:\n\n hash right-padded with zeros to 20 bytes\n byte 0 for md5, 1 for sha1\n data as bytes\n\n The reason for padding the hash and including the type byte is to\n ensure that MD5s which are prefixes of SHA1s can be distinguished\n from them, yet still sort correctly.\n */\n\n final byte[] okbytes = new byte[20+1+data.length];\n Bytes.putBytes(okbytes, 0, hash, 0, hash.length);\n okbytes[20] = type;\n Bytes.putBytes(okbytes, 21, data, 0, data.length);\n return okbytes;\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n core/src/test/java/com/lightboxtechnologies/spectrum/KeyUtilsTest.java\n </TESTFILE7041>\n @Test\n public void makeOutKeySHA1() throws Exception {\n final Hex hex = new Hex(); \n final byte[] hash =\n hex.decode(\"64fa477898e268fd30c2bfe272e5a016f5ec31c4\".getBytes());\n final byte type = 1;\n final byte[] col = \"vassalengine.org/VASSAL 3.1.15\".getBytes();\n\n // It's neat that I have to cast one-byte numeric literals to bytes.\n // Thanks, Java!\n final byte[] expected = {\n (byte) 0x64, (byte) 0xfa, (byte) 0x47, (byte) 0x78, // SHA1\n (byte) 0x98, (byte) 0xe2, (byte) 0x68, (byte) 0xfd,\n (byte) 0x30, (byte) 0xc2, (byte) 0xbf, (byte) 0xe2,\n (byte) 0x72, (byte) 0xe5, (byte) 0xa0, (byte) 0x16,\n (byte) 0xf5, (byte) 0xec, (byte) 0x31, (byte) 0xc4,\n (byte) 0x01, // type\n 'v', 'a', 's', 's', 'a', 'l', 'e', 'n', 'g', // column\n 'i', 'n', 'e', '.', 'o', 'r', 'g', '/', 'V',\n 'A', 'S', 'S', 'A', 'L', ' ', '3', '.', '1',\n '.', '1', '5'\n };\n\n assertArrayEquals(expected, KeyUtils.makeEntryKey(hash, type, col));\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/adobe/aem-modernize-tools
java
bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/dialog/datasources/DialogsDataSource.java
bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/dialog/datasources/DialogsDataSourceTest.java
@Override protected void doGet(SlingHttpServletRequest request, SlingHttpServletResponse response) throws ServletException, IOException { try { Resource resource = request.getResource(); ResourceResolver resolver = request.getResourceResolver(); ValueMap properties = resource.getValueMap(); String itemResourceType = properties.get("itemResourceType", String.class); String path = properties.get("path", String.class); path = expressionResolver.resolve(path, request.getLocale(), String.class, request); if (StringUtils.isEmpty(path)) { log.warn("Path unavailable"); return; } setDataSource(resource, path, resolver, request, itemResourceType); } catch (RepositoryException e) { log.warn("Unable to list classic dialogs", e.getMessage()); } }
doGet
@Test public void testDoGet() throws Exception { List<String> expectedDialogPaths = new ArrayList<String>(); expectedDialogPaths.addAll(Arrays.asList( DIALOGS_ROOT + "/classic/dialog", DIALOGS_ROOT + "/classic/design_dialog", DIALOGS_ROOT + "/coral2/cq:dialog", DIALOGS_ROOT + "/coral2/cq:design_dialog", DIALOGS_ROOT + "/level1/classicandcoral2/cq:dialog", DIALOGS_ROOT + "/level1/classicandcoral2/cq:design_dialog", DIALOGS_ROOT + "/level1/converted/dialog", DIALOGS_ROOT + "/level1/converted/cq:design_dialog.coral2", DIALOGS_ROOT + "/level1/coral2andbackup/cq:dialog")); dialogsDataSource.doGet(request, response); ArgumentCaptor<DataSource> dataSourceArgumentCaptor = ArgumentCaptor.forClass(DataSource.class); Mockito.verify(request).setAttribute(Mockito.anyString(), dataSourceArgumentCaptor.capture()); DataSource dialogsDataSource = dataSourceArgumentCaptor.getValue(); @SuppressWarnings("unchecked") List<Resource> dialogsList = IteratorUtils.toList(dialogsDataSource.iterator()); assertEquals(expectedDialogPaths.size(), dialogsList.size()); for (Resource dialogResource : dialogsList) { ValueMap valueMap = dialogResource.getValueMap(); // expected properties assertNotNull(valueMap.get("dialogPath")); assertNotNull(valueMap.get("type")); assertNotNull(valueMap.get("href")); assertNotNull(valueMap.get("converted")); assertNotNull(valueMap.get("crxHref")); expectedDialogPaths.remove(valueMap.get("dialogPath")); } assertEquals(0, expectedDialogPaths.size()); }
testDoGet
[ "getResource", "getResourceResolver", "getValueMap", "get", "get", "resolve", "getLocale", "isEmpty", "warn", "setDataSource", "warn", "getMessage" ]
[ "addAll", "asList", "doGet", "forClass", "setAttribute", "verify", "anyString", "capture", "getValue", "toList", "iterator", "assertEquals", "size", "size", "getValueMap", "assertNotNull", "get", "assertNotNull", "get", "assertNotNull", "get", "assertNotNull", "get", "assertNotNull", "get", "remove", "get", "assertEquals", "size" ]
{ "class_fields": "private static final String DIALOGS_ROOT = \"/libs/cq/modernize/content/dialogs\";\nprivate static final String ITEM_RESOURCE_TYPE = \"cq/modernize/dialog/content/item\";\nprivate DialogsDataSource dialogsDataSource;\n@Rule\n public SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\n@Mock\n private SlingHttpServletRequest request;\n@Mock\n private SlingHttpServletResponse response;\n@Mock\n private Resource requestResource;\n@Mock\n private RequestPathInfo requestPathInfo;\n@Mock\n private ExpressionResolver expressionResolver;\n@Mock\n private Externalizer externalizer;", "class_name": "DialogsDataSourceTest" }
{ "class_fields": "private final static Logger log = LoggerFactory.getLogger(DialogsDataSource.class);\nprivate static final String CRX_LITE_PATH = \"/crx/de/index\";\n@Reference\n private ExpressionResolver expressionResolver;\n@Reference\n private Externalizer externalizer;", "class_name": "DialogsDataSource extends SlingSafeMethodsServlet", "method_signatures": "@Override protected void doGet(SlingHttpServletRequest request, SlingHttpServletResponse response)\nprivate void setDataSource(Resource resource, String path, ResourceResolver resourceResolver, SlingHttpServletRequest request, String itemResourceType)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/dialog/datasources/DialogsDataSource.java for which to generate the test case is:\nclass_name: DialogsDataSource extends SlingSafeMethodsServlet\n\nclass_fields: private final static Logger log = LoggerFactory.getLogger(DialogsDataSource.class);\nprivate static final String CRX_LITE_PATH = \"/crx/de/index\";\n@Reference\n private ExpressionResolver expressionResolver;\n@Reference\n private Externalizer externalizer;\n\nmethod_signatures: @Override protected void doGet(SlingHttpServletRequest request, SlingHttpServletResponse response)\nprivate void setDataSource(Resource resource, String path, ResourceResolver resourceResolver, SlingHttpServletRequest request, String itemResourceType)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: DialogsDataSourceTest\n\nclass_fields: private static final String DIALOGS_ROOT = \"/libs/cq/modernize/content/dialogs\";\nprivate static final String ITEM_RESOURCE_TYPE = \"cq/modernize/dialog/content/item\";\nprivate DialogsDataSource dialogsDataSource;\n@Rule\n public SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\n@Mock\n private SlingHttpServletRequest request;\n@Mock\n private SlingHttpServletResponse response;\n@Mock\n private Resource requestResource;\n@Mock\n private RequestPathInfo requestPathInfo;\n@Mock\n private ExpressionResolver expressionResolver;\n@Mock\n private Externalizer externalizer;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/dialog/datasources/DialogsDataSource.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n protected void doGet(SlingHttpServletRequest request, SlingHttpServletResponse response) throws ServletException, IOException {\n try {\n Resource resource = request.getResource();\n ResourceResolver resolver = request.getResourceResolver();\n ValueMap properties = resource.getValueMap();\n String itemResourceType = properties.get(\"itemResourceType\", String.class);\n\n String path = properties.get(\"path\", String.class);\n path = expressionResolver.resolve(path, request.getLocale(), String.class, request);\n\n if (StringUtils.isEmpty(path)) {\n log.warn(\"Path unavailable\");\n return;\n }\n\n\n setDataSource(resource, path, resolver, request, itemResourceType);\n } catch (RepositoryException e) {\n log.warn(\"Unable to list classic dialogs\", e.getMessage());\n }\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/dialog/datasources/DialogsDataSourceTest.java\n </TESTFILE7041>\n @Test\n public void testDoGet() throws Exception {\n List<String> expectedDialogPaths = new ArrayList<String>();\n expectedDialogPaths.addAll(Arrays.asList(\n DIALOGS_ROOT + \"/classic/dialog\",\n DIALOGS_ROOT + \"/classic/design_dialog\",\n DIALOGS_ROOT + \"/coral2/cq:dialog\",\n DIALOGS_ROOT + \"/coral2/cq:design_dialog\",\n DIALOGS_ROOT + \"/level1/classicandcoral2/cq:dialog\",\n DIALOGS_ROOT + \"/level1/classicandcoral2/cq:design_dialog\",\n DIALOGS_ROOT + \"/level1/converted/dialog\",\n DIALOGS_ROOT + \"/level1/converted/cq:design_dialog.coral2\",\n DIALOGS_ROOT + \"/level1/coral2andbackup/cq:dialog\"));\n\n dialogsDataSource.doGet(request, response);\n\n ArgumentCaptor<DataSource> dataSourceArgumentCaptor = ArgumentCaptor.forClass(DataSource.class);\n Mockito.verify(request).setAttribute(Mockito.anyString(), dataSourceArgumentCaptor.capture());\n\n DataSource dialogsDataSource = dataSourceArgumentCaptor.getValue();\n\n @SuppressWarnings(\"unchecked\")\n List<Resource> dialogsList = IteratorUtils.toList(dialogsDataSource.iterator());\n\n assertEquals(expectedDialogPaths.size(), dialogsList.size());\n\n for (Resource dialogResource : dialogsList) {\n ValueMap valueMap = dialogResource.getValueMap();\n\n // expected properties\n assertNotNull(valueMap.get(\"dialogPath\"));\n assertNotNull(valueMap.get(\"type\"));\n assertNotNull(valueMap.get(\"href\"));\n assertNotNull(valueMap.get(\"converted\"));\n assertNotNull(valueMap.get(\"crxHref\"));\n\n expectedDialogPaths.remove(valueMap.get(\"dialogPath\"));\n }\n\n assertEquals(0, expectedDialogPaths.size());\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/adobe/aem-modernize-tools
java
bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/PageRewriteRule.java
bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/rules/PageRewriteRuleTest.java
@Activate protected void activate(ComponentContext context) throws RepositoryException, ConfigurationException { @SuppressWarnings("unchecked") Dictionary<String, Object> props = context.getProperties(); // read service ranking property Object ranking = props.get("service.ranking"); if (ranking != null) { try { this.ranking = (Integer) ranking; } catch (ClassCastException e) { // ignore logger.warn("Found invalid service.ranking value {}", ranking); } } staticTemplate = PropertiesUtil.toString(props.get(PROP_STATIC_TEMPLATE), null); if (StringUtils.isBlank(staticTemplate)) { throw new ConfigurationException(PROP_STATIC_TEMPLATE, "Static template is required."); } editableTemplate = PropertiesUtil.toString(props.get(PROP_EDITABLE_TEMPLATE), null); if (StringUtils.isBlank(editableTemplate)) { throw new ConfigurationException(PROP_EDITABLE_TEMPLATE, "Editable template is required."); } slingResourceType = PropertiesUtil.toString(props.get(PROP_SLING_RESOURCE_TYPE), null); if (StringUtils.isBlank(slingResourceType)) { throw new ConfigurationException(PROP_SLING_RESOURCE_TYPE, "Sling Resource Type is required."); } String[] orders = PropertiesUtil.toStringArray(props.get(PROP_ORDER_COMPONENTS), new String[] {}); for (String o : orders) { String[] tmp = StringUtils.split(o, ":", 2); if (tmp.length < 1) { continue; } if (tmp.length == 2) { nested.add(tmp[1]); } String key = tmp.length == 2 ? tmp[0] : RESPONSIVE_GRID_NODE_NAME; String value = tmp.length == 2 ? tmp[1] : tmp[0]; if (componentOrdering.get(key) == null) { componentOrdering.put(key, new ArrayList<>()); } componentOrdering.get(key).add(value); } componentsToRemove = PropertiesUtil.toStringArray(props.get(PROP_REMOVE_COMPONENTS), new String[] {}); componentRenamed = RewriteUtils.toMap( PropertiesUtil.toStringArray(props.get(PROP_RENAME_COMPONENTS), new String[] {}), ":"); // Add any renamed component that contains a path separator for (String val : componentRenamed.values()) { if (val.contains("/")) { nested.add(val); } } }
activate
@Test(expected = RuntimeException.class) public void testActivateNoSlingResourceType() { BundleContext bundleContext = MockOsgi.newBundleContext(); PageRewriteRule rule = new PageRewriteRule(); MockOsgi.injectServices(rule, bundleContext); Dictionary<String, Object> props = new Hashtable<>(); props.put("static.template", STATIC_TEMPLATE); props.put("editable.template", EDITABLE_TEMPLATE); MockOsgi.activate(rule, bundleContext, props); }
testActivateNoSlingResourceType
[ "getProperties", "get", "warn", "toString", "get", "isBlank", "toString", "get", "isBlank", "toString", "get", "isBlank", "toStringArray", "get", "split", "add", "get", "put", "add", "get", "toStringArray", "get", "toMap", "toStringArray", "get", "values", "contains", "add" ]
[ "newBundleContext", "injectServices", "put", "put", "activate" ]
{ "class_fields": "private final String ROOTS_PATH = \"/libs/cq/modernize/templatestructure/content/roots\";\nprivate static final String STATIC_TEMPLATE = \"/apps/geometrixx/templates/homepage\";\nprivate static final String EDITABLE_TEMPLATE = \"/conf/geodemo/settings/wcm/templates/geometrixx-demo-home-page\";\nprivate static final String SLING_RESOURCE_TYPE = \"geodemo/components/structure/page\";\nprivate static final String[] ORDER = {\n \"responsivegrid\",\n \"responsivegrid_12345\",\n \"responsivegrid:header\",\n \"responsivegrid:title\"\n };\nprivate static final String[] REMOVE = { \"toBeRemoved\" };\nprivate static final String[] RENAME = { \"par:responsivegrid/responsivegrid\", \"rightpar:responsivegrid_12345\" };\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\nprivate BundleContext bundleContext;", "class_name": "PageRewriteRuleTest" }
{ "class_fields": "private static final Logger logger = LoggerFactory.getLogger(PageRewriteRule.class);\n@org.apache.felix.scr.annotations.Property(label = \"Static Template\",\n description = \"The static template which will be updated by this Page Rewrite Rule\")\n private static final String PROP_STATIC_TEMPLATE = \"static.template\";\nprivate String staticTemplate;\n@org.apache.felix.scr.annotations.Property(label = \"Editable Template\",\n description = \"The value to update the cq:template with, this should be the new Editable Template.\")\n private static final String PROP_EDITABLE_TEMPLATE = \"editable.template\";\nprivate String editableTemplate;\n@org.apache.felix.scr.annotations.Property(label = \"Sling Resource Type\",\n description = \"The value to update the sling:resourceType with, this should be the same as the \" +\n \"new Editable Template.\")\n private static final String PROP_SLING_RESOURCE_TYPE = \"sling.resourceType\";\nprivate String slingResourceType;\n@org.apache.felix.scr.annotations.Property(label = \"Component Order\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify the order of the components in the new responsive grid. \" +\n \"Any found and unspecified are moved to the end in arbitrary order.\")\n private static final String PROP_ORDER_COMPONENTS = \"order.components\";\nprivate Map<String, List<String>> componentOrdering = new HashMap<>();\n@org.apache.felix.scr.annotations.Property(label = \"Remove Components\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify any components that may exist on the static page that can be removed.\")\n private static final String PROP_REMOVE_COMPONENTS = \"remove.components\";\nprivate String[] componentsToRemove;\n@org.apache.felix.scr.annotations.Property(label = \"Rename Components\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify new name for components as they are moved into the root responsive grid.\")\n private static final String PROP_RENAME_COMPONENTS = \"rename.components\";\nprivate Map<String, String> componentRenamed;\nprivate List<String> nested = new ArrayList<>();\nprivate int ranking = Integer.MAX_VALUE;\nprivate static final String RESPONSIVE_GRID_NODE_NAME = \"root\";", "class_name": "PageRewriteRule implements PageStructureRewriteRule", "method_signatures": "@Override public boolean matches(Node root)\n@Override public Node applyTo(Node root, Set<Node> finalNodes)\nprivate List<String> moveStructure(Node source, Node target, List<String> ignored)\nprivate void reorderChildren(List<String> names, List<String> order, Node parent)\n@Activate protected void activate(ComponentContext context)\n@Override public String getStaticTemplate()\n@Override public int getRanking()" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/PageRewriteRule.java for which to generate the test case is:\nclass_name: PageRewriteRule implements PageStructureRewriteRule\n\nclass_fields: private static final Logger logger = LoggerFactory.getLogger(PageRewriteRule.class);\n@org.apache.felix.scr.annotations.Property(label = \"Static Template\",\n description = \"The static template which will be updated by this Page Rewrite Rule\")\n private static final String PROP_STATIC_TEMPLATE = \"static.template\";\nprivate String staticTemplate;\n@org.apache.felix.scr.annotations.Property(label = \"Editable Template\",\n description = \"The value to update the cq:template with, this should be the new Editable Template.\")\n private static final String PROP_EDITABLE_TEMPLATE = \"editable.template\";\nprivate String editableTemplate;\n@org.apache.felix.scr.annotations.Property(label = \"Sling Resource Type\",\n description = \"The value to update the sling:resourceType with, this should be the same as the \" +\n \"new Editable Template.\")\n private static final String PROP_SLING_RESOURCE_TYPE = \"sling.resourceType\";\nprivate String slingResourceType;\n@org.apache.felix.scr.annotations.Property(label = \"Component Order\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify the order of the components in the new responsive grid. \" +\n \"Any found and unspecified are moved to the end in arbitrary order.\")\n private static final String PROP_ORDER_COMPONENTS = \"order.components\";\nprivate Map<String, List<String>> componentOrdering = new HashMap<>();\n@org.apache.felix.scr.annotations.Property(label = \"Remove Components\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify any components that may exist on the static page that can be removed.\")\n private static final String PROP_REMOVE_COMPONENTS = \"remove.components\";\nprivate String[] componentsToRemove;\n@org.apache.felix.scr.annotations.Property(label = \"Rename Components\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify new name for components as they are moved into the root responsive grid.\")\n private static final String PROP_RENAME_COMPONENTS = \"rename.components\";\nprivate Map<String, String> componentRenamed;\nprivate List<String> nested = new ArrayList<>();\nprivate int ranking = Integer.MAX_VALUE;\nprivate static final String RESPONSIVE_GRID_NODE_NAME = \"root\";\n\nmethod_signatures: @Override public boolean matches(Node root)\n@Override public Node applyTo(Node root, Set<Node> finalNodes)\nprivate List<String> moveStructure(Node source, Node target, List<String> ignored)\nprivate void reorderChildren(List<String> names, List<String> order, Node parent)\n@Activate protected void activate(ComponentContext context)\n@Override public String getStaticTemplate()\n@Override public int getRanking()\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: PageRewriteRuleTest\n\nclass_fields: private final String ROOTS_PATH = \"/libs/cq/modernize/templatestructure/content/roots\";\nprivate static final String STATIC_TEMPLATE = \"/apps/geometrixx/templates/homepage\";\nprivate static final String EDITABLE_TEMPLATE = \"/conf/geodemo/settings/wcm/templates/geometrixx-demo-home-page\";\nprivate static final String SLING_RESOURCE_TYPE = \"geodemo/components/structure/page\";\nprivate static final String[] ORDER = {\n \"responsivegrid\",\n \"responsivegrid_12345\",\n \"responsivegrid:header\",\n \"responsivegrid:title\"\n };\nprivate static final String[] REMOVE = { \"toBeRemoved\" };\nprivate static final String[] RENAME = { \"par:responsivegrid/responsivegrid\", \"rightpar:responsivegrid_12345\" };\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\nprivate BundleContext bundleContext;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/PageRewriteRule.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Activate\n protected void activate(ComponentContext context) throws RepositoryException, ConfigurationException {\n @SuppressWarnings(\"unchecked\")\n Dictionary<String, Object> props = context.getProperties();\n // read service ranking property\n Object ranking = props.get(\"service.ranking\");\n if (ranking != null) {\n try {\n this.ranking = (Integer) ranking;\n } catch (ClassCastException e) {\n // ignore\n logger.warn(\"Found invalid service.ranking value {}\", ranking);\n }\n }\n\n staticTemplate = PropertiesUtil.toString(props.get(PROP_STATIC_TEMPLATE), null);\n if (StringUtils.isBlank(staticTemplate)) {\n throw new ConfigurationException(PROP_STATIC_TEMPLATE, \"Static template is required.\");\n }\n\n editableTemplate = PropertiesUtil.toString(props.get(PROP_EDITABLE_TEMPLATE), null);\n if (StringUtils.isBlank(editableTemplate)) {\n throw new ConfigurationException(PROP_EDITABLE_TEMPLATE, \"Editable template is required.\");\n }\n\n slingResourceType = PropertiesUtil.toString(props.get(PROP_SLING_RESOURCE_TYPE), null);\n if (StringUtils.isBlank(slingResourceType)) {\n throw new ConfigurationException(PROP_SLING_RESOURCE_TYPE, \"Sling Resource Type is required.\");\n }\n\n\n\n String[] orders = PropertiesUtil.toStringArray(props.get(PROP_ORDER_COMPONENTS), new String[] {});\n for (String o : orders) {\n String[] tmp = StringUtils.split(o, \":\", 2);\n if (tmp.length < 1) {\n continue;\n }\n if (tmp.length == 2) {\n nested.add(tmp[1]);\n }\n String key = tmp.length == 2 ? tmp[0] : RESPONSIVE_GRID_NODE_NAME;\n String value = tmp.length == 2 ? tmp[1] : tmp[0];\n if (componentOrdering.get(key) == null) {\n componentOrdering.put(key, new ArrayList<>());\n }\n componentOrdering.get(key).add(value);\n\n }\n\n componentsToRemove = PropertiesUtil.toStringArray(props.get(PROP_REMOVE_COMPONENTS), new String[] {});\n\n componentRenamed = RewriteUtils.toMap(\n PropertiesUtil.toStringArray(props.get(PROP_RENAME_COMPONENTS), new String[] {}), \":\");\n\n // Add any renamed component that contains a path separator\n for (String val : componentRenamed.values()) {\n if (val.contains(\"/\")) {\n nested.add(val);\n }\n }\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/rules/PageRewriteRuleTest.java\n </TESTFILE7041>\n @Test(expected = RuntimeException.class)\n public void testActivateNoSlingResourceType() {\n BundleContext bundleContext = MockOsgi.newBundleContext();\n PageRewriteRule rule = new PageRewriteRule();\n MockOsgi.injectServices(rule, bundleContext);\n Dictionary<String, Object> props = new Hashtable<>();\n props.put(\"static.template\", STATIC_TEMPLATE);\n props.put(\"editable.template\", EDITABLE_TEMPLATE);\n MockOsgi.activate(rule, bundleContext, props);\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/adobe/aem-modernize-tools
java
bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/PageRewriteRule.java
bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/rules/PageRewriteRuleTest.java
@Activate protected void activate(ComponentContext context) throws RepositoryException, ConfigurationException { @SuppressWarnings("unchecked") Dictionary<String, Object> props = context.getProperties(); // read service ranking property Object ranking = props.get("service.ranking"); if (ranking != null) { try { this.ranking = (Integer) ranking; } catch (ClassCastException e) { // ignore logger.warn("Found invalid service.ranking value {}", ranking); } } staticTemplate = PropertiesUtil.toString(props.get(PROP_STATIC_TEMPLATE), null); if (StringUtils.isBlank(staticTemplate)) { throw new ConfigurationException(PROP_STATIC_TEMPLATE, "Static template is required."); } editableTemplate = PropertiesUtil.toString(props.get(PROP_EDITABLE_TEMPLATE), null); if (StringUtils.isBlank(editableTemplate)) { throw new ConfigurationException(PROP_EDITABLE_TEMPLATE, "Editable template is required."); } slingResourceType = PropertiesUtil.toString(props.get(PROP_SLING_RESOURCE_TYPE), null); if (StringUtils.isBlank(slingResourceType)) { throw new ConfigurationException(PROP_SLING_RESOURCE_TYPE, "Sling Resource Type is required."); } String[] orders = PropertiesUtil.toStringArray(props.get(PROP_ORDER_COMPONENTS), new String[] {}); for (String o : orders) { String[] tmp = StringUtils.split(o, ":", 2); if (tmp.length < 1) { continue; } if (tmp.length == 2) { nested.add(tmp[1]); } String key = tmp.length == 2 ? tmp[0] : RESPONSIVE_GRID_NODE_NAME; String value = tmp.length == 2 ? tmp[1] : tmp[0]; if (componentOrdering.get(key) == null) { componentOrdering.put(key, new ArrayList<>()); } componentOrdering.get(key).add(value); } componentsToRemove = PropertiesUtil.toStringArray(props.get(PROP_REMOVE_COMPONENTS), new String[] {}); componentRenamed = RewriteUtils.toMap( PropertiesUtil.toStringArray(props.get(PROP_RENAME_COMPONENTS), new String[] {}), ":"); // Add any renamed component that contains a path separator for (String val : componentRenamed.values()) { if (val.contains("/")) { nested.add(val); } } }
activate
@Test public void testActivateNoOrder() { BundleContext bundleContext = MockOsgi.newBundleContext(); PageRewriteRule rule = new PageRewriteRule(); MockOsgi.injectServices(rule, bundleContext); Dictionary<String, Object> props = new Hashtable<>(); props.put("static.template", STATIC_TEMPLATE); props.put("editable.template", EDITABLE_TEMPLATE); props.put("sling.resourceType", SLING_RESOURCE_TYPE); props.put("remove.components", REMOVE); MockOsgi.activate(rule, bundleContext, props); }
testActivateNoOrder
[ "getProperties", "get", "warn", "toString", "get", "isBlank", "toString", "get", "isBlank", "toString", "get", "isBlank", "toStringArray", "get", "split", "add", "get", "put", "add", "get", "toStringArray", "get", "toMap", "toStringArray", "get", "values", "contains", "add" ]
[ "newBundleContext", "injectServices", "put", "put", "put", "put", "activate" ]
{ "class_fields": "private final String ROOTS_PATH = \"/libs/cq/modernize/templatestructure/content/roots\";\nprivate static final String STATIC_TEMPLATE = \"/apps/geometrixx/templates/homepage\";\nprivate static final String EDITABLE_TEMPLATE = \"/conf/geodemo/settings/wcm/templates/geometrixx-demo-home-page\";\nprivate static final String SLING_RESOURCE_TYPE = \"geodemo/components/structure/page\";\nprivate static final String[] ORDER = {\n \"responsivegrid\",\n \"responsivegrid_12345\",\n \"responsivegrid:header\",\n \"responsivegrid:title\"\n };\nprivate static final String[] REMOVE = { \"toBeRemoved\" };\nprivate static final String[] RENAME = { \"par:responsivegrid/responsivegrid\", \"rightpar:responsivegrid_12345\" };\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\nprivate BundleContext bundleContext;", "class_name": "PageRewriteRuleTest" }
{ "class_fields": "private static final Logger logger = LoggerFactory.getLogger(PageRewriteRule.class);\n@org.apache.felix.scr.annotations.Property(label = \"Static Template\",\n description = \"The static template which will be updated by this Page Rewrite Rule\")\n private static final String PROP_STATIC_TEMPLATE = \"static.template\";\nprivate String staticTemplate;\n@org.apache.felix.scr.annotations.Property(label = \"Editable Template\",\n description = \"The value to update the cq:template with, this should be the new Editable Template.\")\n private static final String PROP_EDITABLE_TEMPLATE = \"editable.template\";\nprivate String editableTemplate;\n@org.apache.felix.scr.annotations.Property(label = \"Sling Resource Type\",\n description = \"The value to update the sling:resourceType with, this should be the same as the \" +\n \"new Editable Template.\")\n private static final String PROP_SLING_RESOURCE_TYPE = \"sling.resourceType\";\nprivate String slingResourceType;\n@org.apache.felix.scr.annotations.Property(label = \"Component Order\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify the order of the components in the new responsive grid. \" +\n \"Any found and unspecified are moved to the end in arbitrary order.\")\n private static final String PROP_ORDER_COMPONENTS = \"order.components\";\nprivate Map<String, List<String>> componentOrdering = new HashMap<>();\n@org.apache.felix.scr.annotations.Property(label = \"Remove Components\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify any components that may exist on the static page that can be removed.\")\n private static final String PROP_REMOVE_COMPONENTS = \"remove.components\";\nprivate String[] componentsToRemove;\n@org.apache.felix.scr.annotations.Property(label = \"Rename Components\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify new name for components as they are moved into the root responsive grid.\")\n private static final String PROP_RENAME_COMPONENTS = \"rename.components\";\nprivate Map<String, String> componentRenamed;\nprivate List<String> nested = new ArrayList<>();\nprivate int ranking = Integer.MAX_VALUE;\nprivate static final String RESPONSIVE_GRID_NODE_NAME = \"root\";", "class_name": "PageRewriteRule implements PageStructureRewriteRule", "method_signatures": "@Override public boolean matches(Node root)\n@Override public Node applyTo(Node root, Set<Node> finalNodes)\nprivate List<String> moveStructure(Node source, Node target, List<String> ignored)\nprivate void reorderChildren(List<String> names, List<String> order, Node parent)\n@Activate protected void activate(ComponentContext context)\n@Override public String getStaticTemplate()\n@Override public int getRanking()" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/PageRewriteRule.java for which to generate the test case is:\nclass_name: PageRewriteRule implements PageStructureRewriteRule\n\nclass_fields: private static final Logger logger = LoggerFactory.getLogger(PageRewriteRule.class);\n@org.apache.felix.scr.annotations.Property(label = \"Static Template\",\n description = \"The static template which will be updated by this Page Rewrite Rule\")\n private static final String PROP_STATIC_TEMPLATE = \"static.template\";\nprivate String staticTemplate;\n@org.apache.felix.scr.annotations.Property(label = \"Editable Template\",\n description = \"The value to update the cq:template with, this should be the new Editable Template.\")\n private static final String PROP_EDITABLE_TEMPLATE = \"editable.template\";\nprivate String editableTemplate;\n@org.apache.felix.scr.annotations.Property(label = \"Sling Resource Type\",\n description = \"The value to update the sling:resourceType with, this should be the same as the \" +\n \"new Editable Template.\")\n private static final String PROP_SLING_RESOURCE_TYPE = \"sling.resourceType\";\nprivate String slingResourceType;\n@org.apache.felix.scr.annotations.Property(label = \"Component Order\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify the order of the components in the new responsive grid. \" +\n \"Any found and unspecified are moved to the end in arbitrary order.\")\n private static final String PROP_ORDER_COMPONENTS = \"order.components\";\nprivate Map<String, List<String>> componentOrdering = new HashMap<>();\n@org.apache.felix.scr.annotations.Property(label = \"Remove Components\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify any components that may exist on the static page that can be removed.\")\n private static final String PROP_REMOVE_COMPONENTS = \"remove.components\";\nprivate String[] componentsToRemove;\n@org.apache.felix.scr.annotations.Property(label = \"Rename Components\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify new name for components as they are moved into the root responsive grid.\")\n private static final String PROP_RENAME_COMPONENTS = \"rename.components\";\nprivate Map<String, String> componentRenamed;\nprivate List<String> nested = new ArrayList<>();\nprivate int ranking = Integer.MAX_VALUE;\nprivate static final String RESPONSIVE_GRID_NODE_NAME = \"root\";\n\nmethod_signatures: @Override public boolean matches(Node root)\n@Override public Node applyTo(Node root, Set<Node> finalNodes)\nprivate List<String> moveStructure(Node source, Node target, List<String> ignored)\nprivate void reorderChildren(List<String> names, List<String> order, Node parent)\n@Activate protected void activate(ComponentContext context)\n@Override public String getStaticTemplate()\n@Override public int getRanking()\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: PageRewriteRuleTest\n\nclass_fields: private final String ROOTS_PATH = \"/libs/cq/modernize/templatestructure/content/roots\";\nprivate static final String STATIC_TEMPLATE = \"/apps/geometrixx/templates/homepage\";\nprivate static final String EDITABLE_TEMPLATE = \"/conf/geodemo/settings/wcm/templates/geometrixx-demo-home-page\";\nprivate static final String SLING_RESOURCE_TYPE = \"geodemo/components/structure/page\";\nprivate static final String[] ORDER = {\n \"responsivegrid\",\n \"responsivegrid_12345\",\n \"responsivegrid:header\",\n \"responsivegrid:title\"\n };\nprivate static final String[] REMOVE = { \"toBeRemoved\" };\nprivate static final String[] RENAME = { \"par:responsivegrid/responsivegrid\", \"rightpar:responsivegrid_12345\" };\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\nprivate BundleContext bundleContext;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/PageRewriteRule.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Activate\n protected void activate(ComponentContext context) throws RepositoryException, ConfigurationException {\n @SuppressWarnings(\"unchecked\")\n Dictionary<String, Object> props = context.getProperties();\n // read service ranking property\n Object ranking = props.get(\"service.ranking\");\n if (ranking != null) {\n try {\n this.ranking = (Integer) ranking;\n } catch (ClassCastException e) {\n // ignore\n logger.warn(\"Found invalid service.ranking value {}\", ranking);\n }\n }\n\n staticTemplate = PropertiesUtil.toString(props.get(PROP_STATIC_TEMPLATE), null);\n if (StringUtils.isBlank(staticTemplate)) {\n throw new ConfigurationException(PROP_STATIC_TEMPLATE, \"Static template is required.\");\n }\n\n editableTemplate = PropertiesUtil.toString(props.get(PROP_EDITABLE_TEMPLATE), null);\n if (StringUtils.isBlank(editableTemplate)) {\n throw new ConfigurationException(PROP_EDITABLE_TEMPLATE, \"Editable template is required.\");\n }\n\n slingResourceType = PropertiesUtil.toString(props.get(PROP_SLING_RESOURCE_TYPE), null);\n if (StringUtils.isBlank(slingResourceType)) {\n throw new ConfigurationException(PROP_SLING_RESOURCE_TYPE, \"Sling Resource Type is required.\");\n }\n\n\n\n String[] orders = PropertiesUtil.toStringArray(props.get(PROP_ORDER_COMPONENTS), new String[] {});\n for (String o : orders) {\n String[] tmp = StringUtils.split(o, \":\", 2);\n if (tmp.length < 1) {\n continue;\n }\n if (tmp.length == 2) {\n nested.add(tmp[1]);\n }\n String key = tmp.length == 2 ? tmp[0] : RESPONSIVE_GRID_NODE_NAME;\n String value = tmp.length == 2 ? tmp[1] : tmp[0];\n if (componentOrdering.get(key) == null) {\n componentOrdering.put(key, new ArrayList<>());\n }\n componentOrdering.get(key).add(value);\n\n }\n\n componentsToRemove = PropertiesUtil.toStringArray(props.get(PROP_REMOVE_COMPONENTS), new String[] {});\n\n componentRenamed = RewriteUtils.toMap(\n PropertiesUtil.toStringArray(props.get(PROP_RENAME_COMPONENTS), new String[] {}), \":\");\n\n // Add any renamed component that contains a path separator\n for (String val : componentRenamed.values()) {\n if (val.contains(\"/\")) {\n nested.add(val);\n }\n }\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/rules/PageRewriteRuleTest.java\n </TESTFILE7041>\n @Test\n public void testActivateNoOrder() {\n BundleContext bundleContext = MockOsgi.newBundleContext();\n PageRewriteRule rule = new PageRewriteRule();\n MockOsgi.injectServices(rule, bundleContext);\n Dictionary<String, Object> props = new Hashtable<>();\n props.put(\"static.template\", STATIC_TEMPLATE);\n props.put(\"editable.template\", EDITABLE_TEMPLATE);\n props.put(\"sling.resourceType\", SLING_RESOURCE_TYPE);\n props.put(\"remove.components\", REMOVE);\n MockOsgi.activate(rule, bundleContext, props);\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/adobe/aem-modernize-tools
java
bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/ParsysRewriteRule.java
bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/rules/ParsysRewriteRuleTest.java
@Override public Node applyTo(Node root, Set<Node> finalNodes) throws RewriteException, RepositoryException { String name = root.getName(); Node parent = root.getParent(); String orderBefore = null; // Find the order NodeIterator siblings = parent.getNodes(); while (siblings.hasNext()) { Node sib = siblings.nextNode(); if (sib.getName().equals(name)) { orderBefore = siblings.hasNext() ? siblings.nextNode().getName() : null; break; } } RewriteUtils.rename(root); Node grid = parent.addNode(name, root.getPrimaryNodeType().getName()); grid.setProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY, RewriteUtils.RESPONSIVE_GRID_RES_TYPE); parent.orderBefore(name, orderBefore); NodeIterator children = root.getNodes(); while (children.hasNext()) { Node child = children.nextNode(); JcrUtil.copy(child, grid, child.getName()); } root.remove(); return grid; }
applyTo
@Test public void testApplyTo() throws Exception { Node rootNode = context.resourceResolver().getResource(ROOTS_PATH + "/matches/jcr:content/par").adaptTo(Node.class); ParsysRewriteRule rule = new ParsysRewriteRule(); Node rewrittenNode = rule.applyTo(rootNode, new LinkedHashSet<>()); assertEquals(RewriteUtils.RESPONSIVE_GRID_RES_TYPE, rewrittenNode.getProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY).getString()); assertEquals(JcrConstants.NT_UNSTRUCTURED, rewrittenNode.getPrimaryNodeType().getName()); // Verify Children NodeIterator children = rewrittenNode.getNodes(); assertTrue(children.hasNext()); assertEquals("colctrl", children.nextNode().getName()); assertTrue(children.hasNext()); assertEquals("image", children.nextNode().getName()); assertTrue(children.hasNext()); assertEquals("title_1", children.nextNode().getName()); assertTrue(children.hasNext()); assertEquals("text_1", children.nextNode().getName()); assertTrue(children.hasNext()); assertEquals("col_break", children.nextNode().getName()); assertTrue(children.hasNext()); assertEquals("image_0", children.nextNode().getName()); assertTrue(children.hasNext()); assertEquals("title_2", children.nextNode().getName()); assertTrue(children.hasNext()); assertEquals("text_0", children.nextNode().getName()); assertTrue(children.hasNext()); assertEquals("col_end", children.nextNode().getName()); // Verify Parent order preserved NodeIterator siblings = rewrittenNode.getParent().getNodes(); assertTrue(siblings.hasNext()); assertEquals("par", siblings.nextNode().getName()); assertTrue(siblings.hasNext()); assertEquals("toBeRemoved", siblings.nextNode().getName()); assertTrue(siblings.hasNext()); assertEquals("title", siblings.nextNode().getName()); assertTrue(siblings.hasNext()); assertEquals("header", siblings.nextNode().getName()); assertTrue(siblings.hasNext()); assertEquals("rightpar", siblings.nextNode().getName()); assertFalse(siblings.hasNext()); }
testApplyTo
[ "getName", "getParent", "getNodes", "hasNext", "nextNode", "equals", "getName", "hasNext", "getName", "nextNode", "rename", "addNode", "getName", "getPrimaryNodeType", "setProperty", "orderBefore", "getNodes", "hasNext", "nextNode", "copy", "getName", "remove" ]
[ "adaptTo", "getResource", "resourceResolver", "applyTo", "assertEquals", "getString", "getProperty", "assertEquals", "getName", "getPrimaryNodeType", "getNodes", "assertTrue", "hasNext", "assertEquals", "getName", "nextNode", "assertTrue", "hasNext", "assertEquals", "getName", "nextNode", "assertTrue", "hasNext", "assertEquals", "getName", "nextNode", "assertTrue", "hasNext", "assertEquals", "getName", "nextNode", "assertTrue", "hasNext", "assertEquals", "getName", "nextNode", "assertTrue", "hasNext", "assertEquals", "getName", "nextNode", "assertTrue", "hasNext", "assertEquals", "getName", "nextNode", "assertTrue", "hasNext", "assertEquals", "getName", "nextNode", "assertTrue", "hasNext", "assertEquals", "getName", "nextNode", "getNodes", "getParent", "assertTrue", "hasNext", "assertEquals", "getName", "nextNode", "assertTrue", "hasNext", "assertEquals", "getName", "nextNode", "assertTrue", "hasNext", "assertEquals", "getName", "nextNode", "assertTrue", "hasNext", "assertEquals", "getName", "nextNode", "assertTrue", "hasNext", "assertEquals", "getName", "nextNode", "assertFalse", "hasNext" ]
{ "class_fields": "private final String ROOTS_PATH = \"/libs/cq/modernize/templatestructure/content/roots\";\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);", "class_name": "ParsysRewriteRuleTest" }
{ "class_fields": "private static final Logger logger = LoggerFactory.getLogger(ParsysRewriteRule.class);\nprivate static final String PARSYS_RESOURCE_TYPE = \"foundation/components/parsys\";\nprivate int ranking = Integer.MAX_VALUE;", "class_name": "ParsysRewriteRule implements StructureRewriteRule", "method_signatures": "@Override public boolean matches(Node root)\n@Override public Node applyTo(Node root, Set<Node> finalNodes)\n@Activate protected void activate(ComponentContext context)\n@Override public int getRanking()" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/ParsysRewriteRule.java for which to generate the test case is:\nclass_name: ParsysRewriteRule implements StructureRewriteRule\n\nclass_fields: private static final Logger logger = LoggerFactory.getLogger(ParsysRewriteRule.class);\nprivate static final String PARSYS_RESOURCE_TYPE = \"foundation/components/parsys\";\nprivate int ranking = Integer.MAX_VALUE;\n\nmethod_signatures: @Override public boolean matches(Node root)\n@Override public Node applyTo(Node root, Set<Node> finalNodes)\n@Activate protected void activate(ComponentContext context)\n@Override public int getRanking()\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: ParsysRewriteRuleTest\n\nclass_fields: private final String ROOTS_PATH = \"/libs/cq/modernize/templatestructure/content/roots\";\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/ParsysRewriteRule.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public Node applyTo(Node root, Set<Node> finalNodes) throws RewriteException, RepositoryException {\n\n String name = root.getName();\n Node parent = root.getParent();\n\n String orderBefore = null;\n // Find the order\n NodeIterator siblings = parent.getNodes();\n while (siblings.hasNext()) {\n Node sib = siblings.nextNode();\n if (sib.getName().equals(name)) {\n orderBefore = siblings.hasNext() ? siblings.nextNode().getName() : null;\n break;\n }\n }\n RewriteUtils.rename(root);\n Node grid = parent.addNode(name, root.getPrimaryNodeType().getName());\n grid.setProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY, RewriteUtils.RESPONSIVE_GRID_RES_TYPE);\n parent.orderBefore(name, orderBefore);\n NodeIterator children = root.getNodes();\n while (children.hasNext()) {\n Node child = children.nextNode();\n JcrUtil.copy(child, grid, child.getName());\n }\n root.remove();\n return grid;\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/rules/ParsysRewriteRuleTest.java\n </TESTFILE7041>\n @Test\n public void testApplyTo() throws Exception {\n Node rootNode = context.resourceResolver().getResource(ROOTS_PATH + \"/matches/jcr:content/par\").adaptTo(Node.class);\n\n ParsysRewriteRule rule = new ParsysRewriteRule();\n Node rewrittenNode = rule.applyTo(rootNode, new LinkedHashSet<>());\n\n assertEquals(RewriteUtils.RESPONSIVE_GRID_RES_TYPE,\n rewrittenNode.getProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY).getString());\n assertEquals(JcrConstants.NT_UNSTRUCTURED, rewrittenNode.getPrimaryNodeType().getName());\n\n // Verify Children\n NodeIterator children = rewrittenNode.getNodes();\n assertTrue(children.hasNext());\n assertEquals(\"colctrl\", children.nextNode().getName());\n assertTrue(children.hasNext());\n assertEquals(\"image\", children.nextNode().getName());\n assertTrue(children.hasNext());\n assertEquals(\"title_1\", children.nextNode().getName());\n assertTrue(children.hasNext());\n assertEquals(\"text_1\", children.nextNode().getName());\n assertTrue(children.hasNext());\n assertEquals(\"col_break\", children.nextNode().getName());\n assertTrue(children.hasNext());\n assertEquals(\"image_0\", children.nextNode().getName());\n assertTrue(children.hasNext());\n assertEquals(\"title_2\", children.nextNode().getName());\n assertTrue(children.hasNext());\n assertEquals(\"text_0\", children.nextNode().getName());\n assertTrue(children.hasNext());\n assertEquals(\"col_end\", children.nextNode().getName());\n\n // Verify Parent order preserved\n NodeIterator siblings = rewrittenNode.getParent().getNodes();\n assertTrue(siblings.hasNext());\n assertEquals(\"par\", siblings.nextNode().getName());\n assertTrue(siblings.hasNext());\n assertEquals(\"toBeRemoved\", siblings.nextNode().getName());\n assertTrue(siblings.hasNext());\n assertEquals(\"title\", siblings.nextNode().getName());\n assertTrue(siblings.hasNext());\n assertEquals(\"header\", siblings.nextNode().getName());\n assertTrue(siblings.hasNext());\n assertEquals(\"rightpar\", siblings.nextNode().getName());\n assertFalse(siblings.hasNext());\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/adobe/aem-modernize-tools
java
bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/StructureRewriteRuleServiceImpl.java
bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/StructureRewriteRuleServiceImplTest.java
@Override public List<StructureRewriteRule> getRules(ResourceResolver resolver) { List<StructureRewriteRule> rulesCopy = new LinkedList<>(); Iterator<StructureRewriteRule> it = rules.iterator(); while (it.hasNext()) { rulesCopy.add(it.next()); } return rulesCopy; }
getRules
@Test public void testGetRules() throws Exception { List<StructureRewriteRule> rules = structureRewriteRuleService.getRules(null); assertNotNull(rules); assertFalse(rules.isEmpty()); assertEquals(4, rules.size()); Iterator<StructureRewriteRule> it = rules.iterator(); StructureRewriteRule rule = it.next(); assertTrue(rule instanceof PageStructureRewriteRule); rule = it.next(); assertTrue(rule instanceof PageStructureRewriteRule); rule = it.next(); assertTrue(rule instanceof ParsysRewriteRule); rule = it.next(); assertTrue(rule instanceof ColumnControlRewriteRule); }
testGetRules
[ "iterator", "hasNext", "add", "next" ]
[ "getRules", "assertNotNull", "assertFalse", "isEmpty", "assertEquals", "size", "iterator", "next", "assertTrue", "next", "assertTrue", "next", "assertTrue", "next", "assertTrue" ]
{ "class_fields": "private static final String STATIC_HOME_TEMPLATE = \"/apps/geometrixx/templates/homepage\";\nprivate static final String STATIC_PRODUCT_TEMPLATE = \"/apps/geometrixx/templates/productpage\";\nprivate static final String EDITABLE_TEMPLATE = \"/conf/geodemo/settings/wcm/templates/geometrixx-demo-home-page\";\nprivate static final String SLING_RESOURCE_TYPE = \"geodemo/components/structure/page\";\nprivate static final String LAYOUT_VALUE = \"2;cq-colctrl-lt0\";\nprivate static final String[] COLUMN_WIDTHS = {\"6\", \"6\"};\nprivate StructureRewriteRuleService structureRewriteRuleService;\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\nprivate BundleContext bundleContext;\nList<StructureRewriteRule> rules = new ArrayList<>();", "class_name": "StructureRewriteRuleServiceImplTest" }
{ "class_fields": "private Logger logger = LoggerFactory.getLogger(StructureRewriteRuleServiceImpl.class);\n@Reference(\n referenceInterface = StructureRewriteRule.class,\n cardinality = ReferenceCardinality.OPTIONAL_MULTIPLE,\n policy = ReferencePolicy.DYNAMIC,\n bind = \"bindRule\",\n unbind = \"unbindRule\"\n )\n private List<StructureRewriteRule> rules = Collections.synchronizedList(new LinkedList<>());\n@Reference(\n referenceInterface = PageStructureRewriteRule.class,\n cardinality = ReferenceCardinality.OPTIONAL_MULTIPLE,\n policy = ReferencePolicy.DYNAMIC,\n bind = \"bindPageRule\",\n unbind = \"unbindPageRule\"\n )\n private List<PageStructureRewriteRule> pageRules = Collections.synchronizedList(new LinkedList<>());", "class_name": "StructureRewriteRuleServiceImpl implements StructureRewriteRuleService", "method_signatures": "@SuppressWarnings(\"unused\") public void bindRule(StructureRewriteRule rule)\n@SuppressWarnings(\"unused\") public void unbindRule(StructureRewriteRule rule)\n@SuppressWarnings(\"unused\") public void bindPageRule(PageStructureRewriteRule rule)\n@SuppressWarnings(\"unused\") public void unbindPageRule(PageStructureRewriteRule rule)\n@Override public Set<String> getTemplates()\n@Override public List<StructureRewriteRule> getRules(ResourceResolver resolver)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/StructureRewriteRuleServiceImpl.java for which to generate the test case is:\nclass_name: StructureRewriteRuleServiceImpl implements StructureRewriteRuleService\n\nclass_fields: private Logger logger = LoggerFactory.getLogger(StructureRewriteRuleServiceImpl.class);\n@Reference(\n referenceInterface = StructureRewriteRule.class,\n cardinality = ReferenceCardinality.OPTIONAL_MULTIPLE,\n policy = ReferencePolicy.DYNAMIC,\n bind = \"bindRule\",\n unbind = \"unbindRule\"\n )\n private List<StructureRewriteRule> rules = Collections.synchronizedList(new LinkedList<>());\n@Reference(\n referenceInterface = PageStructureRewriteRule.class,\n cardinality = ReferenceCardinality.OPTIONAL_MULTIPLE,\n policy = ReferencePolicy.DYNAMIC,\n bind = \"bindPageRule\",\n unbind = \"unbindPageRule\"\n )\n private List<PageStructureRewriteRule> pageRules = Collections.synchronizedList(new LinkedList<>());\n\nmethod_signatures: @SuppressWarnings(\"unused\") public void bindRule(StructureRewriteRule rule)\n@SuppressWarnings(\"unused\") public void unbindRule(StructureRewriteRule rule)\n@SuppressWarnings(\"unused\") public void bindPageRule(PageStructureRewriteRule rule)\n@SuppressWarnings(\"unused\") public void unbindPageRule(PageStructureRewriteRule rule)\n@Override public Set<String> getTemplates()\n@Override public List<StructureRewriteRule> getRules(ResourceResolver resolver)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: StructureRewriteRuleServiceImplTest\n\nclass_fields: private static final String STATIC_HOME_TEMPLATE = \"/apps/geometrixx/templates/homepage\";\nprivate static final String STATIC_PRODUCT_TEMPLATE = \"/apps/geometrixx/templates/productpage\";\nprivate static final String EDITABLE_TEMPLATE = \"/conf/geodemo/settings/wcm/templates/geometrixx-demo-home-page\";\nprivate static final String SLING_RESOURCE_TYPE = \"geodemo/components/structure/page\";\nprivate static final String LAYOUT_VALUE = \"2;cq-colctrl-lt0\";\nprivate static final String[] COLUMN_WIDTHS = {\"6\", \"6\"};\nprivate StructureRewriteRuleService structureRewriteRuleService;\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\nprivate BundleContext bundleContext;\nList<StructureRewriteRule> rules = new ArrayList<>();\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/StructureRewriteRuleServiceImpl.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public List<StructureRewriteRule> getRules(ResourceResolver resolver) {\n List<StructureRewriteRule> rulesCopy = new LinkedList<>();\n Iterator<StructureRewriteRule> it = rules.iterator();\n while (it.hasNext()) {\n rulesCopy.add(it.next());\n }\n\n return rulesCopy;\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/StructureRewriteRuleServiceImplTest.java\n </TESTFILE7041>\n @Test\n public void testGetRules() throws Exception {\n List<StructureRewriteRule> rules = structureRewriteRuleService.getRules(null);\n assertNotNull(rules);\n assertFalse(rules.isEmpty());\n assertEquals(4, rules.size());\n Iterator<StructureRewriteRule> it = rules.iterator();\n StructureRewriteRule rule = it.next();\n assertTrue(rule instanceof PageStructureRewriteRule);\n rule = it.next();\n assertTrue(rule instanceof PageStructureRewriteRule);\n rule = it.next();\n assertTrue(rule instanceof ParsysRewriteRule);\n rule = it.next();\n assertTrue(rule instanceof ColumnControlRewriteRule);\n\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/adobe/aem-modernize-tools
java
bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRule.java
bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRuleTest.java
@Override public boolean matches(Node root) throws RepositoryException { if (!root.hasProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY)) { return false; } javax.jcr.Property prop = root.getProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY); if (!StringUtils.equals(resourceType, prop.getString())) { return false; } if (!root.hasProperty(PROP_LAYOUT)) { return false; } prop = root.getProperty(PROP_LAYOUT); if (!StringUtils.equals(layout, prop.getString())) { return false; } // Check Column breaks Node parent = root.getParent(); NodeIterator siblings = parent.getNodes(); while (siblings.hasNext()) { Node sibling = siblings.nextNode(); if (sibling.getName().equals(root.getName())) { break; } } // From here, find the column breaks. int count = widths.length; while (siblings.hasNext()) { Node sibling = siblings.nextNode(); if (sibling.hasProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY) && StringUtils.equals( sibling.getProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY).getString(), resourceType)) { // If it has a layout, then it's a new column control, // This shouldn't ever happen, but who knows. if (sibling.hasProperty(PROP_LAYOUT) && count != 0) { return false; // If we hit a break or end control, reduce the number of columns } else if (sibling.hasProperty(PROP_CONTROL_TYPE) && (StringUtils.equals(sibling.getProperty(PROP_CONTROL_TYPE).getString(), CONTROL_TYPE_BREAK) || StringUtils.equals(sibling.getProperty(PROP_CONTROL_TYPE).getString(), CONTROL_TYPE_END))) { count--; // If we hit the end, then break out of the loop, as we're done counting columns if (StringUtils.equals(sibling.getProperty(PROP_CONTROL_TYPE).getString(), CONTROL_TYPE_END)) { break; } } } } return count == 0; }
matches
@Test public void testNoMatchLayout() throws Exception { Node rootNode = context.resourceResolver().getResource(ROOTS_PATH + "/matches/jcr:content/par/col_break").adaptTo(Node.class); ServiceReference ref = bundleContext.getServiceReference(StructureRewriteRule.class.getName()); StructureRewriteRule rule = bundleContext.<StructureRewriteRule>getService(ref); assertFalse(rule.matches(rootNode)); }
testNoMatchLayout
[ "hasProperty", "getProperty", "equals", "getString", "hasProperty", "getProperty", "equals", "getString", "getParent", "getNodes", "hasNext", "nextNode", "equals", "getName", "getName", "hasNext", "nextNode", "hasProperty", "equals", "getString", "getProperty", "hasProperty", "hasProperty", "equals", "getString", "getProperty", "equals", "getString", "getProperty", "equals", "getString", "getProperty" ]
[ "adaptTo", "getResource", "resourceResolver", "getServiceReference", "getName", "getService", "assertFalse", "matches" ]
{ "class_fields": "private final String ROOTS_PATH = \"/libs/cq/modernize/templatestructure/content/roots\";\nprivate static final String LAYOUT_VALUE = \"2;cq-colctrl-lt0\";\nprivate static final String[] COLUMN_WIDTHS = {\"6\", \"6\"};\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\nprivate BundleContext bundleContext;", "class_name": "ColumnControlRewriteRuleTest" }
{ "class_fields": "private static final Logger logger = LoggerFactory.getLogger(ColumnControlRewriteRule.class);\nprivate int ranking = Integer.MAX_VALUE;\nprivate static final String PROP_LAYOUT = \"layout\";\nprivate static final String PROP_CONTROL_TYPE = \"controlType\";\nprivate static final String CONTROL_TYPE_BREAK = \"break\";\nprivate static final String CONTROL_TYPE_END = \"end\";\nprivate static final String RESPONSIVE_GRID_NAME = \"responsivegrid\";\nprivate static final String DEFAULT_LAYOUT_NAME = \"default\";\nprivate static final String PROP_WIDTH = \"width\";\nprivate static final String PROP_OFFSET = \"offset\";\nprivate static final String PROP_RESOURCE_TYPE_DEFAULT = \"foundation/components/parsys/colctrl\";\n@Property(label = \"Column Control ResourceType\",\n description = \"The sling:resourceType of this column control, leave blank to use Foundation component. (some customers extend/create their own)\",\n value = PROP_RESOURCE_TYPE_DEFAULT)\n private static final String PROP_RESOURCE_TYPE= \"sling.resourceType\";\nprivate String resourceType = PROP_RESOURCE_TYPE_DEFAULT;\n@Property(label = \"Layout Property Value\",\n description = \"The value of the `layout` property on the primary column control component.\")\n private static final String PROP_LAYOUT_VALUE = \"layout.value\";\nprivate String layout;\n@Property(label = \"Column Widths\",\n description = \"An array of widths for each of the columns in target grid. (e.g. 50%/50% column control is [6,6] in target grid. 75%/25% => [8,4])\",\n cardinality = Integer.MAX_VALUE)\n private static final String PROP_COLUMN_WIDTHS = \"column.widths\";\nprivate long[] widths;", "class_name": "ColumnControlRewriteRule implements StructureRewriteRule", "method_signatures": "@Override public boolean matches(Node root)\n@Override public Node applyTo(Node root, Set<Node> finalNodes)\n@Activate protected void activate(ComponentContext context)\n@Override public int getRanking()" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRule.java for which to generate the test case is:\nclass_name: ColumnControlRewriteRule implements StructureRewriteRule\n\nclass_fields: private static final Logger logger = LoggerFactory.getLogger(ColumnControlRewriteRule.class);\nprivate int ranking = Integer.MAX_VALUE;\nprivate static final String PROP_LAYOUT = \"layout\";\nprivate static final String PROP_CONTROL_TYPE = \"controlType\";\nprivate static final String CONTROL_TYPE_BREAK = \"break\";\nprivate static final String CONTROL_TYPE_END = \"end\";\nprivate static final String RESPONSIVE_GRID_NAME = \"responsivegrid\";\nprivate static final String DEFAULT_LAYOUT_NAME = \"default\";\nprivate static final String PROP_WIDTH = \"width\";\nprivate static final String PROP_OFFSET = \"offset\";\nprivate static final String PROP_RESOURCE_TYPE_DEFAULT = \"foundation/components/parsys/colctrl\";\n@Property(label = \"Column Control ResourceType\",\n description = \"The sling:resourceType of this column control, leave blank to use Foundation component. (some customers extend/create their own)\",\n value = PROP_RESOURCE_TYPE_DEFAULT)\n private static final String PROP_RESOURCE_TYPE= \"sling.resourceType\";\nprivate String resourceType = PROP_RESOURCE_TYPE_DEFAULT;\n@Property(label = \"Layout Property Value\",\n description = \"The value of the `layout` property on the primary column control component.\")\n private static final String PROP_LAYOUT_VALUE = \"layout.value\";\nprivate String layout;\n@Property(label = \"Column Widths\",\n description = \"An array of widths for each of the columns in target grid. (e.g. 50%/50% column control is [6,6] in target grid. 75%/25% => [8,4])\",\n cardinality = Integer.MAX_VALUE)\n private static final String PROP_COLUMN_WIDTHS = \"column.widths\";\nprivate long[] widths;\n\nmethod_signatures: @Override public boolean matches(Node root)\n@Override public Node applyTo(Node root, Set<Node> finalNodes)\n@Activate protected void activate(ComponentContext context)\n@Override public int getRanking()\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: ColumnControlRewriteRuleTest\n\nclass_fields: private final String ROOTS_PATH = \"/libs/cq/modernize/templatestructure/content/roots\";\nprivate static final String LAYOUT_VALUE = \"2;cq-colctrl-lt0\";\nprivate static final String[] COLUMN_WIDTHS = {\"6\", \"6\"};\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\nprivate BundleContext bundleContext;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRule.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public boolean matches(Node root) throws RepositoryException {\n if (!root.hasProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY)) {\n return false;\n }\n javax.jcr.Property prop = root.getProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY);\n if (!StringUtils.equals(resourceType, prop.getString())) {\n return false;\n }\n\n if (!root.hasProperty(PROP_LAYOUT)) {\n return false;\n }\n prop = root.getProperty(PROP_LAYOUT);\n if (!StringUtils.equals(layout, prop.getString())) {\n return false;\n }\n\n // Check Column breaks\n Node parent = root.getParent();\n NodeIterator siblings = parent.getNodes();\n while (siblings.hasNext()) {\n Node sibling = siblings.nextNode();\n if (sibling.getName().equals(root.getName())) {\n break;\n }\n }\n\n // From here, find the column breaks.\n int count = widths.length;\n while (siblings.hasNext()) {\n Node sibling = siblings.nextNode();\n if (sibling.hasProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY) &&\n StringUtils.equals(\n sibling.getProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY).getString(),\n resourceType)) {\n\n // If it has a layout, then it's a new column control,\n // This shouldn't ever happen, but who knows.\n if (sibling.hasProperty(PROP_LAYOUT) && count != 0) {\n return false;\n\n // If we hit a break or end control, reduce the number of columns\n } else if (sibling.hasProperty(PROP_CONTROL_TYPE) &&\n (StringUtils.equals(sibling.getProperty(PROP_CONTROL_TYPE).getString(), CONTROL_TYPE_BREAK)\n || StringUtils.equals(sibling.getProperty(PROP_CONTROL_TYPE).getString(), CONTROL_TYPE_END))) {\n count--;\n\n // If we hit the end, then break out of the loop, as we're done counting columns\n if (StringUtils.equals(sibling.getProperty(PROP_CONTROL_TYPE).getString(), CONTROL_TYPE_END)) {\n break;\n }\n }\n }\n }\n return count == 0;\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRuleTest.java\n </TESTFILE7041>\n @Test\n public void testNoMatchLayout() throws Exception {\n\n Node rootNode = context.resourceResolver().getResource(ROOTS_PATH + \"/matches/jcr:content/par/col_break\").adaptTo(Node.class);\n\n ServiceReference ref = bundleContext.getServiceReference(StructureRewriteRule.class.getName());\n StructureRewriteRule rule = bundleContext.<StructureRewriteRule>getService(ref);\n\n assertFalse(rule.matches(rootNode));\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/sleuthkit/hadoop_framework
java
core/src/main/java/com/lightboxtechnologies/nsrl/OSData.java
core/src/test/java/com/lightboxtechnologies/nsrl/OSDataTest.java
@Override public int hashCode() { return new HashCodeBuilder().append(code) .append(name) .append(version) .append(mfg_code) .toHashCode(); }
hashCode
@Test public void hashCodeSelf() { final OSData osd = new OSData(code, name, version, mfg_code); assertTrue(osd.hashCode() == osd.hashCode()); }
hashCodeSelf
[ "toHashCode", "append", "append", "append", "append" ]
[ "assertTrue", "hashCode", "hashCode" ]
{ "class_fields": "private static final String code = \"YourMomsCode\";\nprivate static final String name = \"MomOS\";\nprivate static final String version = \"1.0\";\nprivate static final String mfg_code = \"YourMom\";", "class_name": "OSDataTest" }
{ "class_fields": "public final String code;\npublic final String name;\npublic final String version;\npublic final String mfg_code;", "class_name": "OSData", "method_signatures": "public OSData(String code, String name, String version, String mfg_code)\n@Override public String toString()\n@Override public boolean equals(Object o)\n@Override public int hashCode()" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: core/src/main/java/com/lightboxtechnologies/nsrl/OSData.java for which to generate the test case is:\nclass_name: OSData\n\nclass_fields: public final String code;\npublic final String name;\npublic final String version;\npublic final String mfg_code;\n\nmethod_signatures: public OSData(String code, String name, String version, String mfg_code)\n@Override public String toString()\n@Override public boolean equals(Object o)\n@Override public int hashCode()\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: OSDataTest\n\nclass_fields: private static final String code = \"YourMomsCode\";\nprivate static final String name = \"MomOS\";\nprivate static final String version = \"1.0\";\nprivate static final String mfg_code = \"YourMom\";\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file core/src/main/java/com/lightboxtechnologies/nsrl/OSData.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public int hashCode() {\n return new HashCodeBuilder().append(code)\n .append(name)\n .append(version)\n .append(mfg_code)\n .toHashCode();\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n core/src/test/java/com/lightboxtechnologies/nsrl/OSDataTest.java\n </TESTFILE7041>\n @Test\n public void hashCodeSelf() {\n final OSData osd = new OSData(code, name, version, mfg_code);\n assertTrue(osd.hashCode() == osd.hashCode());\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/adobe/aem-modernize-tools
java
bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/component/datasources/ComponentsDataSource.java
bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/component/datasources/ComponentsDataSourceTest.java
@Override protected void doGet(SlingHttpServletRequest request, SlingHttpServletResponse response) throws ServletException, IOException { try { Resource resource = request.getResource(); ValueMap properties = resource.getValueMap(); String itemResourceType = properties.get("itemResourceType", String.class); String path = properties.get("path", String.class); path = expressionResolver.resolve(path, request.getLocale(), String.class, request); if (StringUtils.isEmpty(path)) { log.warn("Path unavailable"); return; } if (CollectionUtils.isEmpty( componentRewriteRuleService.getSlingResourceTypes(request.getResourceResolver()))) { // No rules. return; } setDataSource(path, request, itemResourceType); } catch (RepositoryException e) { log.warn("Unable to list components: {}", e.getMessage()); } }
doGet
@Test public void testDoSingleGet() throws Exception { // prepare request resource HashMap<String, Object> properties = new HashMap<>(); properties.put("path", COMPONENTS_ROOT + "/simple"); properties.put("itemResourceType", ITEM_RESOURCE_TYPE); Mockito.stub(requestResource.getValueMap()).toReturn(new ValueMapDecorator(properties)); // prepare expression resolver Mockito.stub(expressionResolver.resolve(COMPONENTS_ROOT + "/simple", Locale.US, String.class, request)).toReturn(COMPONENTS_ROOT + "/simple"); Whitebox.setInternalState(componentsDataSource, "expressionResolver", expressionResolver); List<String> expectedComponentPaths = new ArrayList<>(); expectedComponentPaths.addAll(Arrays.asList( COMPONENTS_ROOT + "/simple" )); componentsDataSource.doGet(request, response); ArgumentCaptor<DataSource> dataSourceArgumentCaptor = ArgumentCaptor.forClass(DataSource.class); Mockito.verify(request).setAttribute(Mockito.anyString(), dataSourceArgumentCaptor.capture()); DataSource componentsDataSource = dataSourceArgumentCaptor.getValue(); @SuppressWarnings("unchecked") List<Resource> componentsList = IteratorUtils.toList(componentsDataSource.iterator()); assertEquals(expectedComponentPaths.size(), componentsList.size()); for (Resource componentResource : componentsList) { ValueMap valueMap = componentResource.getValueMap(); // expected properties assertNotNull(valueMap.get("componentPath")); assertNotNull(valueMap.get("resourceType")); assertNotNull(valueMap.get("href")); assertNotNull(valueMap.get("crxHref")); expectedComponentPaths.remove(valueMap.get("componentPath")); } assertEquals(0, expectedComponentPaths.size()); }
testDoSingleGet
[ "getResource", "getValueMap", "get", "get", "resolve", "getLocale", "isEmpty", "warn", "isEmpty", "getSlingResourceTypes", "getResourceResolver", "setDataSource", "warn", "getMessage" ]
[ "put", "put", "toReturn", "stub", "getValueMap", "toReturn", "stub", "resolve", "setInternalState", "addAll", "asList", "doGet", "forClass", "setAttribute", "verify", "anyString", "capture", "getValue", "toList", "iterator", "assertEquals", "size", "size", "getValueMap", "assertNotNull", "get", "assertNotNull", "get", "assertNotNull", "get", "assertNotNull", "get", "remove", "get", "assertEquals", "size" ]
{ "class_fields": "private static final String COMPONENTS_ROOT = \"/libs/cq/modernize/component/content\";\nprivate static final String ITEM_RESOURCE_TYPE = \"cq/modernize/component/components/item\";\nprivate static final String RULES_ROOT = \"/libs/cq/modernize/component/rules\";\nprivate ComponentsDataSource componentsDataSource;\nprivate ComponentRewriteRuleService componentRewriteRuleService;\n@Rule\n public SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\n@Mock\n private SlingHttpServletRequest request;\n@Mock\n private SlingHttpServletResponse response;\n@Mock\n private Resource requestResource;\n@Mock\n private RequestPathInfo requestPathInfo;\n@Mock\n private ExpressionResolver expressionResolver;\n@Mock\n private Externalizer externalizer;", "class_name": "ComponentsDataSourceTest" }
{ "class_fields": "private final static Logger log = LoggerFactory.getLogger(ComponentsDataSource.class);\nprivate static final String CRX_LITE_PATH = \"/crx/de/index\";\n@Reference\n private ExpressionResolver expressionResolver;\n@Reference\n private Externalizer externalizer;\n@Reference\n private ComponentRewriteRuleService componentRewriteRuleService;", "class_name": "ComponentsDataSource extends SlingSafeMethodsServlet", "method_signatures": "@Override protected void doGet(SlingHttpServletRequest request, SlingHttpServletResponse response)\nprivate void setDataSource(String path, SlingHttpServletRequest request, String itemResourceType)\nprivate void buildNodeMap(String searchPath, Map<String, Node> nodeMap, ResourceResolver resolver)\nprivate void buildResources(List<Resource> resources, Map<String, Node> nodes, SlingHttpServletRequest request, String itemResourceType)\nprivate Query createQuery(String path, ResourceResolver resourceResolver)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/component/datasources/ComponentsDataSource.java for which to generate the test case is:\nclass_name: ComponentsDataSource extends SlingSafeMethodsServlet\n\nclass_fields: private final static Logger log = LoggerFactory.getLogger(ComponentsDataSource.class);\nprivate static final String CRX_LITE_PATH = \"/crx/de/index\";\n@Reference\n private ExpressionResolver expressionResolver;\n@Reference\n private Externalizer externalizer;\n@Reference\n private ComponentRewriteRuleService componentRewriteRuleService;\n\nmethod_signatures: @Override protected void doGet(SlingHttpServletRequest request, SlingHttpServletResponse response)\nprivate void setDataSource(String path, SlingHttpServletRequest request, String itemResourceType)\nprivate void buildNodeMap(String searchPath, Map<String, Node> nodeMap, ResourceResolver resolver)\nprivate void buildResources(List<Resource> resources, Map<String, Node> nodes, SlingHttpServletRequest request, String itemResourceType)\nprivate Query createQuery(String path, ResourceResolver resourceResolver)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: ComponentsDataSourceTest\n\nclass_fields: private static final String COMPONENTS_ROOT = \"/libs/cq/modernize/component/content\";\nprivate static final String ITEM_RESOURCE_TYPE = \"cq/modernize/component/components/item\";\nprivate static final String RULES_ROOT = \"/libs/cq/modernize/component/rules\";\nprivate ComponentsDataSource componentsDataSource;\nprivate ComponentRewriteRuleService componentRewriteRuleService;\n@Rule\n public SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\n@Mock\n private SlingHttpServletRequest request;\n@Mock\n private SlingHttpServletResponse response;\n@Mock\n private Resource requestResource;\n@Mock\n private RequestPathInfo requestPathInfo;\n@Mock\n private ExpressionResolver expressionResolver;\n@Mock\n private Externalizer externalizer;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/component/datasources/ComponentsDataSource.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n protected void doGet(SlingHttpServletRequest request, SlingHttpServletResponse response) throws ServletException, IOException {\n try {\n Resource resource = request.getResource();\n ValueMap properties = resource.getValueMap();\n String itemResourceType = properties.get(\"itemResourceType\", String.class);\n\n String path = properties.get(\"path\", String.class);\n path = expressionResolver.resolve(path, request.getLocale(), String.class, request);\n\n if (StringUtils.isEmpty(path)) {\n log.warn(\"Path unavailable\");\n return;\n }\n\n if (CollectionUtils.isEmpty(\n componentRewriteRuleService.getSlingResourceTypes(request.getResourceResolver()))) {\n // No rules.\n return;\n }\n\n\n setDataSource(path, request, itemResourceType);\n } catch (RepositoryException e) {\n log.warn(\"Unable to list components: {}\", e.getMessage());\n }\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/component/datasources/ComponentsDataSourceTest.java\n </TESTFILE7041>\n @Test\n public void testDoSingleGet() throws Exception {\n\n // prepare request resource\n HashMap<String, Object> properties = new HashMap<>();\n properties.put(\"path\", COMPONENTS_ROOT + \"/simple\");\n properties.put(\"itemResourceType\", ITEM_RESOURCE_TYPE);\n Mockito.stub(requestResource.getValueMap()).toReturn(new ValueMapDecorator(properties));\n\n // prepare expression resolver\n Mockito.stub(expressionResolver.resolve(COMPONENTS_ROOT + \"/simple\", Locale.US, String.class, request)).toReturn(COMPONENTS_ROOT + \"/simple\");\n Whitebox.setInternalState(componentsDataSource, \"expressionResolver\", expressionResolver);\n\n List<String> expectedComponentPaths = new ArrayList<>();\n expectedComponentPaths.addAll(Arrays.asList(\n COMPONENTS_ROOT + \"/simple\"\n ));\n\n componentsDataSource.doGet(request, response);\n\n ArgumentCaptor<DataSource> dataSourceArgumentCaptor = ArgumentCaptor.forClass(DataSource.class);\n Mockito.verify(request).setAttribute(Mockito.anyString(), dataSourceArgumentCaptor.capture());\n\n DataSource componentsDataSource = dataSourceArgumentCaptor.getValue();\n\n @SuppressWarnings(\"unchecked\")\n List<Resource> componentsList = IteratorUtils.toList(componentsDataSource.iterator());\n\n assertEquals(expectedComponentPaths.size(), componentsList.size());\n\n for (Resource componentResource : componentsList) {\n ValueMap valueMap = componentResource.getValueMap();\n\n // expected properties\n assertNotNull(valueMap.get(\"componentPath\"));\n assertNotNull(valueMap.get(\"resourceType\"));\n assertNotNull(valueMap.get(\"href\"));\n assertNotNull(valueMap.get(\"crxHref\"));\n\n expectedComponentPaths.remove(valueMap.get(\"componentPath\"));\n }\n\n assertEquals(0, expectedComponentPaths.size());\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/CodeQInvest/codeq-invest
java
quality-assessment/src/main/java/org/codeqinvest/quality/analysis/DefaultQualityAnalyzerService.java
quality-assessment/src/test/java/org/codeqinvest/quality/analysis/DefaultQualityAnalyzerServiceTest.java
@Override public QualityAnalysis analyzeProject(Project project) { try { ViolationsAnalysisResult violationsAnalysisResult = violationsCalculatorService.calculateAllViolation(project); if (!violationsAnalysisResult.isSuccessful()) { log.error("Quality analysis for project {} failed due '{}'", project.getName(), violationsAnalysisResult.getFailureReason().get()); return qualityAnalysisRepository.save(QualityAnalysis.failed(project, zeroCostsForEachViolation(violationsAnalysisResult), violationsAnalysisResult.getFailureReason().get())); } log.info("Checking the availability of the SCM system {} for project {}", project.getScmSettings(), project.getName()); if (!scmAvailabilityCheckerServiceFactory.create(project.getScmSettings()).isAvailable(project.getScmSettings())) { return qualityAnalysisRepository.save(QualityAnalysis.failed(project, zeroCostsForEachViolation(violationsAnalysisResult), "The scm system is not available.")); } QualityAnalysis qualityAnalysis = addChangeProbabilityToEachArtifact(project, violationsAnalysisResult); if (!qualityAnalysis.isSuccessful()) { return qualityAnalysisRepository.save(qualityAnalysis); } qualityAnalysis = addSecureChangeProbabilityToEachArtifact(project, qualityAnalysis); log.info("Quality analysis succeeded for project {} with {} violations.", project.getName(), violationsAnalysisResult.getViolations().size()); return qualityAnalysisRepository.save(qualityAnalysis); } catch (Exception e) { String errorMessage = "Unexpected error occured during quality analysis!"; log.error(errorMessage, e); return QualityAnalysis.failed(project, new ArrayList<QualityViolation>(), errorMessage); } }
analyzeProject
@Test public void addSecureChangeProbabilityToArtefacts() throws CodeChurnCalculationException, ScmConnectionEncodingException, ResourceNotFoundException { Artefact artefactA = new Artefact("A", "A"); Artefact artefactB = new Artefact("B", "B"); ViolationOccurence violationA = new ViolationOccurence(firstRequirement, artefactA, 0); ViolationOccurence violationB = new ViolationOccurence(firstRequirement, artefactB, 0); ViolationsCalculatorService violationsCalculatorService = mock(ViolationsCalculatorService.class); when(violationsCalculatorService.calculateAllViolation(any(Project.class))) .thenReturn(ViolationsAnalysisResult.createSuccessfulAnalysis(Arrays.asList(violationA, violationB))); CodeChangeProbabilityCalculator codeChangeProbabilityCalculator = mock(CodeChangeProbabilityCalculator.class); when(codeChangeProbabilityCalculator.calculateCodeChangeProbability(any(ScmConnectionSettings.class), anyString())).thenReturn(1.0); CodeChangeProbabilityCalculatorFactory codeChangeProbabilityCalculatorFactory = createMockedCodeChangeProbabilityCalculatorFactory(); when(codeChangeProbabilityCalculatorFactory.create(any(CodeChangeSettings.class))).thenReturn(codeChangeProbabilityCalculator); when(secureChangeProbabilityCalculator.calculateSecureChangeProbability(any(QualityProfile.class), any(SonarConnectionSettings.class), eq(artefactA))).thenReturn(1.115); when(secureChangeProbabilityCalculator.calculateSecureChangeProbability(any(QualityProfile.class), any(SonarConnectionSettings.class), eq(artefactB))).thenReturn(1.341); QualityAnalyzerService qualityAnalyzerService = new DefaultQualityAnalyzerService(violationsCalculatorService, scmAvailabilityCheckerServiceFactory, codeChangeProbabilityCalculatorFactory, secureChangeProbabilityCalculator, costsCalculator, qualityAnalysisRepository); qualityAnalyzerService.analyzeProject(project); assertThat(artefactA.getSecureChangeProbability()).isEqualTo(1.115); assertThat(artefactB.getSecureChangeProbability()).isEqualTo(1.341); }
addSecureChangeProbabilityToArtefacts
[ "calculateAllViolation", "isSuccessful", "error", "getName", "get", "getFailureReason", "save", "failed", "zeroCostsForEachViolation", "get", "getFailureReason", "info", "getScmSettings", "getName", "isAvailable", "create", "getScmSettings", "getScmSettings", "save", "failed", "zeroCostsForEachViolation", "addChangeProbabilityToEachArtifact", "isSuccessful", "save", "addSecureChangeProbabilityToEachArtifact", "info", "getName", "size", "getViolations", "save", "error", "failed" ]
[ "mock", "thenReturn", "when", "calculateAllViolation", "any", "createSuccessfulAnalysis", "asList", "mock", "thenReturn", "when", "calculateCodeChangeProbability", "any", "anyString", "createMockedCodeChangeProbabilityCalculatorFactory", "thenReturn", "when", "create", "any", "thenReturn", "when", "calculateSecureChangeProbability", "any", "any", "eq", "thenReturn", "when", "calculateSecureChangeProbability", "any", "any", "eq", "analyzeProject", "isEqualTo", "assertThat", "getSecureChangeProbability", "isEqualTo", "assertThat", "getSecureChangeProbability" ]
{ "class_fields": "private QualityProfile profile;\nprivate QualityRequirement firstRequirement;\nprivate QualityRequirement secondRequirement;\nprivate Project project;\nprivate ScmAvailabilityCheckerServiceFactory scmAvailabilityCheckerServiceFactory;\nprivate SecureChangeProbabilityCalculator secureChangeProbabilityCalculator;\nprivate QualityViolationCostsCalculator costsCalculator;\nprivate QualityAnalysisRepository qualityAnalysisRepository;", "class_name": "DefaultQualityAnalyzerServiceTest" }
{ "class_fields": "private final ViolationsCalculatorService violationsCalculatorService;\nprivate final ScmAvailabilityCheckerServiceFactory scmAvailabilityCheckerServiceFactory;\nprivate final CodeChangeProbabilityCalculatorFactory codeChangeProbabilityCalculatorFactory;\nprivate final SecureChangeProbabilityCalculator secureChangeProbabilityCalculator;\nprivate final QualityViolationCostsCalculator costsCalculator;\nprivate final QualityAnalysisRepository qualityAnalysisRepository;", "class_name": "DefaultQualityAnalyzerService implements QualityAnalyzerService", "method_signatures": "@Autowired public DefaultQualityAnalyzerService(ViolationsCalculatorService violationsCalculatorService,\n ScmAvailabilityCheckerServiceFactory scmAvailabilityCheckerServiceFactory,\n CodeChangeProbabilityCalculatorFactory codeChangeProbabilityCalculatorFactory,\n SecureChangeProbabilityCalculator secureChangeProbabilityCalculator,\n QualityViolationCostsCalculator costsCalculator,\n QualityAnalysisRepository qualityAnalysisRepository)\n@Override public QualityAnalysis analyzeProject(Project project)\nprivate QualityAnalysis addChangeProbabilityToEachArtifact(Project project, ViolationsAnalysisResult violationsAnalysisResult)\nprivate QualityAnalysis addSecureChangeProbabilityToEachArtifact(Project project, QualityAnalysis qualityAnalysis)\nprivate void logFailedAnalysis(Project project, Exception e)\nprivate List<QualityViolation> calculateCostsForEachViolation(SonarConnectionSettings sonarConnectionSettings, ViolationsAnalysisResult violationsAnalysisResult)\nprivate List<QualityViolation> zeroCostsForEachViolation(ViolationsAnalysisResult violationsAnalysisResult)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: quality-assessment/src/main/java/org/codeqinvest/quality/analysis/DefaultQualityAnalyzerService.java for which to generate the test case is:\nclass_name: DefaultQualityAnalyzerService implements QualityAnalyzerService\n\nclass_fields: private final ViolationsCalculatorService violationsCalculatorService;\nprivate final ScmAvailabilityCheckerServiceFactory scmAvailabilityCheckerServiceFactory;\nprivate final CodeChangeProbabilityCalculatorFactory codeChangeProbabilityCalculatorFactory;\nprivate final SecureChangeProbabilityCalculator secureChangeProbabilityCalculator;\nprivate final QualityViolationCostsCalculator costsCalculator;\nprivate final QualityAnalysisRepository qualityAnalysisRepository;\n\nmethod_signatures: @Autowired public DefaultQualityAnalyzerService(ViolationsCalculatorService violationsCalculatorService,\n ScmAvailabilityCheckerServiceFactory scmAvailabilityCheckerServiceFactory,\n CodeChangeProbabilityCalculatorFactory codeChangeProbabilityCalculatorFactory,\n SecureChangeProbabilityCalculator secureChangeProbabilityCalculator,\n QualityViolationCostsCalculator costsCalculator,\n QualityAnalysisRepository qualityAnalysisRepository)\n@Override public QualityAnalysis analyzeProject(Project project)\nprivate QualityAnalysis addChangeProbabilityToEachArtifact(Project project, ViolationsAnalysisResult violationsAnalysisResult)\nprivate QualityAnalysis addSecureChangeProbabilityToEachArtifact(Project project, QualityAnalysis qualityAnalysis)\nprivate void logFailedAnalysis(Project project, Exception e)\nprivate List<QualityViolation> calculateCostsForEachViolation(SonarConnectionSettings sonarConnectionSettings, ViolationsAnalysisResult violationsAnalysisResult)\nprivate List<QualityViolation> zeroCostsForEachViolation(ViolationsAnalysisResult violationsAnalysisResult)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: DefaultQualityAnalyzerServiceTest\n\nclass_fields: private QualityProfile profile;\nprivate QualityRequirement firstRequirement;\nprivate QualityRequirement secondRequirement;\nprivate Project project;\nprivate ScmAvailabilityCheckerServiceFactory scmAvailabilityCheckerServiceFactory;\nprivate SecureChangeProbabilityCalculator secureChangeProbabilityCalculator;\nprivate QualityViolationCostsCalculator costsCalculator;\nprivate QualityAnalysisRepository qualityAnalysisRepository;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file quality-assessment/src/main/java/org/codeqinvest/quality/analysis/DefaultQualityAnalyzerService.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public QualityAnalysis analyzeProject(Project project) {\n try {\n ViolationsAnalysisResult violationsAnalysisResult = violationsCalculatorService.calculateAllViolation(project);\n if (!violationsAnalysisResult.isSuccessful()) {\n log.error(\"Quality analysis for project {} failed due '{}'\", project.getName(), violationsAnalysisResult.getFailureReason().get());\n return qualityAnalysisRepository.save(QualityAnalysis.failed(project,\n zeroCostsForEachViolation(violationsAnalysisResult),\n violationsAnalysisResult.getFailureReason().get()));\n }\n\n log.info(\"Checking the availability of the SCM system {} for project {}\", project.getScmSettings(), project.getName());\n if (!scmAvailabilityCheckerServiceFactory.create(project.getScmSettings()).isAvailable(project.getScmSettings())) {\n return qualityAnalysisRepository.save(QualityAnalysis.failed(project,\n zeroCostsForEachViolation(violationsAnalysisResult), \"The scm system is not available.\"));\n }\n\n QualityAnalysis qualityAnalysis = addChangeProbabilityToEachArtifact(project, violationsAnalysisResult);\n if (!qualityAnalysis.isSuccessful()) {\n return qualityAnalysisRepository.save(qualityAnalysis);\n }\n\n qualityAnalysis = addSecureChangeProbabilityToEachArtifact(project, qualityAnalysis);\n log.info(\"Quality analysis succeeded for project {} with {} violations.\", project.getName(), violationsAnalysisResult.getViolations().size());\n return qualityAnalysisRepository.save(qualityAnalysis);\n } catch (Exception e) {\n String errorMessage = \"Unexpected error occured during quality analysis!\";\n log.error(errorMessage, e);\n return QualityAnalysis.failed(project, new ArrayList<QualityViolation>(), errorMessage);\n }\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n quality-assessment/src/test/java/org/codeqinvest/quality/analysis/DefaultQualityAnalyzerServiceTest.java\n </TESTFILE7041>\n @Test\n public void addSecureChangeProbabilityToArtefacts() throws CodeChurnCalculationException, ScmConnectionEncodingException, ResourceNotFoundException {\n Artefact artefactA = new Artefact(\"A\", \"A\");\n Artefact artefactB = new Artefact(\"B\", \"B\");\n\n ViolationOccurence violationA = new ViolationOccurence(firstRequirement, artefactA, 0);\n ViolationOccurence violationB = new ViolationOccurence(firstRequirement, artefactB, 0);\n\n ViolationsCalculatorService violationsCalculatorService = mock(ViolationsCalculatorService.class);\n when(violationsCalculatorService.calculateAllViolation(any(Project.class)))\n .thenReturn(ViolationsAnalysisResult.createSuccessfulAnalysis(Arrays.asList(violationA, violationB)));\n\n CodeChangeProbabilityCalculator codeChangeProbabilityCalculator = mock(CodeChangeProbabilityCalculator.class);\n when(codeChangeProbabilityCalculator.calculateCodeChangeProbability(any(ScmConnectionSettings.class), anyString())).thenReturn(1.0);\n CodeChangeProbabilityCalculatorFactory codeChangeProbabilityCalculatorFactory = createMockedCodeChangeProbabilityCalculatorFactory();\n when(codeChangeProbabilityCalculatorFactory.create(any(CodeChangeSettings.class))).thenReturn(codeChangeProbabilityCalculator);\n\n when(secureChangeProbabilityCalculator.calculateSecureChangeProbability(any(QualityProfile.class),\n any(SonarConnectionSettings.class), eq(artefactA))).thenReturn(1.115);\n when(secureChangeProbabilityCalculator.calculateSecureChangeProbability(any(QualityProfile.class),\n any(SonarConnectionSettings.class), eq(artefactB))).thenReturn(1.341);\n\n QualityAnalyzerService qualityAnalyzerService = new DefaultQualityAnalyzerService(violationsCalculatorService,\n scmAvailabilityCheckerServiceFactory, codeChangeProbabilityCalculatorFactory, secureChangeProbabilityCalculator, costsCalculator, qualityAnalysisRepository);\n qualityAnalyzerService.analyzeProject(project);\n\n assertThat(artefactA.getSecureChangeProbability()).isEqualTo(1.115);\n assertThat(artefactB.getSecureChangeProbability()).isEqualTo(1.341);\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/adobe/aem-modernize-tools
java
bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/PageRewriteRule.java
bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/rules/PageRewriteRuleTest.java
@Activate protected void activate(ComponentContext context) throws RepositoryException, ConfigurationException { @SuppressWarnings("unchecked") Dictionary<String, Object> props = context.getProperties(); // read service ranking property Object ranking = props.get("service.ranking"); if (ranking != null) { try { this.ranking = (Integer) ranking; } catch (ClassCastException e) { // ignore logger.warn("Found invalid service.ranking value {}", ranking); } } staticTemplate = PropertiesUtil.toString(props.get(PROP_STATIC_TEMPLATE), null); if (StringUtils.isBlank(staticTemplate)) { throw new ConfigurationException(PROP_STATIC_TEMPLATE, "Static template is required."); } editableTemplate = PropertiesUtil.toString(props.get(PROP_EDITABLE_TEMPLATE), null); if (StringUtils.isBlank(editableTemplate)) { throw new ConfigurationException(PROP_EDITABLE_TEMPLATE, "Editable template is required."); } slingResourceType = PropertiesUtil.toString(props.get(PROP_SLING_RESOURCE_TYPE), null); if (StringUtils.isBlank(slingResourceType)) { throw new ConfigurationException(PROP_SLING_RESOURCE_TYPE, "Sling Resource Type is required."); } String[] orders = PropertiesUtil.toStringArray(props.get(PROP_ORDER_COMPONENTS), new String[] {}); for (String o : orders) { String[] tmp = StringUtils.split(o, ":", 2); if (tmp.length < 1) { continue; } if (tmp.length == 2) { nested.add(tmp[1]); } String key = tmp.length == 2 ? tmp[0] : RESPONSIVE_GRID_NODE_NAME; String value = tmp.length == 2 ? tmp[1] : tmp[0]; if (componentOrdering.get(key) == null) { componentOrdering.put(key, new ArrayList<>()); } componentOrdering.get(key).add(value); } componentsToRemove = PropertiesUtil.toStringArray(props.get(PROP_REMOVE_COMPONENTS), new String[] {}); componentRenamed = RewriteUtils.toMap( PropertiesUtil.toStringArray(props.get(PROP_RENAME_COMPONENTS), new String[] {}), ":"); // Add any renamed component that contains a path separator for (String val : componentRenamed.values()) { if (val.contains("/")) { nested.add(val); } } }
activate
@Test(expected = RuntimeException.class) public void testActivateNoEditable() { BundleContext bundleContext = MockOsgi.newBundleContext(); PageRewriteRule rule = new PageRewriteRule(); MockOsgi.injectServices(rule, bundleContext); Dictionary<String, Object> props = new Hashtable<>(); props.put("static.template", STATIC_TEMPLATE); MockOsgi.activate(rule, bundleContext, props); }
testActivateNoEditable
[ "getProperties", "get", "warn", "toString", "get", "isBlank", "toString", "get", "isBlank", "toString", "get", "isBlank", "toStringArray", "get", "split", "add", "get", "put", "add", "get", "toStringArray", "get", "toMap", "toStringArray", "get", "values", "contains", "add" ]
[ "newBundleContext", "injectServices", "put", "activate" ]
{ "class_fields": "private final String ROOTS_PATH = \"/libs/cq/modernize/templatestructure/content/roots\";\nprivate static final String STATIC_TEMPLATE = \"/apps/geometrixx/templates/homepage\";\nprivate static final String EDITABLE_TEMPLATE = \"/conf/geodemo/settings/wcm/templates/geometrixx-demo-home-page\";\nprivate static final String SLING_RESOURCE_TYPE = \"geodemo/components/structure/page\";\nprivate static final String[] ORDER = {\n \"responsivegrid\",\n \"responsivegrid_12345\",\n \"responsivegrid:header\",\n \"responsivegrid:title\"\n };\nprivate static final String[] REMOVE = { \"toBeRemoved\" };\nprivate static final String[] RENAME = { \"par:responsivegrid/responsivegrid\", \"rightpar:responsivegrid_12345\" };\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\nprivate BundleContext bundleContext;", "class_name": "PageRewriteRuleTest" }
{ "class_fields": "private static final Logger logger = LoggerFactory.getLogger(PageRewriteRule.class);\n@org.apache.felix.scr.annotations.Property(label = \"Static Template\",\n description = \"The static template which will be updated by this Page Rewrite Rule\")\n private static final String PROP_STATIC_TEMPLATE = \"static.template\";\nprivate String staticTemplate;\n@org.apache.felix.scr.annotations.Property(label = \"Editable Template\",\n description = \"The value to update the cq:template with, this should be the new Editable Template.\")\n private static final String PROP_EDITABLE_TEMPLATE = \"editable.template\";\nprivate String editableTemplate;\n@org.apache.felix.scr.annotations.Property(label = \"Sling Resource Type\",\n description = \"The value to update the sling:resourceType with, this should be the same as the \" +\n \"new Editable Template.\")\n private static final String PROP_SLING_RESOURCE_TYPE = \"sling.resourceType\";\nprivate String slingResourceType;\n@org.apache.felix.scr.annotations.Property(label = \"Component Order\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify the order of the components in the new responsive grid. \" +\n \"Any found and unspecified are moved to the end in arbitrary order.\")\n private static final String PROP_ORDER_COMPONENTS = \"order.components\";\nprivate Map<String, List<String>> componentOrdering = new HashMap<>();\n@org.apache.felix.scr.annotations.Property(label = \"Remove Components\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify any components that may exist on the static page that can be removed.\")\n private static final String PROP_REMOVE_COMPONENTS = \"remove.components\";\nprivate String[] componentsToRemove;\n@org.apache.felix.scr.annotations.Property(label = \"Rename Components\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify new name for components as they are moved into the root responsive grid.\")\n private static final String PROP_RENAME_COMPONENTS = \"rename.components\";\nprivate Map<String, String> componentRenamed;\nprivate List<String> nested = new ArrayList<>();\nprivate int ranking = Integer.MAX_VALUE;\nprivate static final String RESPONSIVE_GRID_NODE_NAME = \"root\";", "class_name": "PageRewriteRule implements PageStructureRewriteRule", "method_signatures": "@Override public boolean matches(Node root)\n@Override public Node applyTo(Node root, Set<Node> finalNodes)\nprivate List<String> moveStructure(Node source, Node target, List<String> ignored)\nprivate void reorderChildren(List<String> names, List<String> order, Node parent)\n@Activate protected void activate(ComponentContext context)\n@Override public String getStaticTemplate()\n@Override public int getRanking()" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/PageRewriteRule.java for which to generate the test case is:\nclass_name: PageRewriteRule implements PageStructureRewriteRule\n\nclass_fields: private static final Logger logger = LoggerFactory.getLogger(PageRewriteRule.class);\n@org.apache.felix.scr.annotations.Property(label = \"Static Template\",\n description = \"The static template which will be updated by this Page Rewrite Rule\")\n private static final String PROP_STATIC_TEMPLATE = \"static.template\";\nprivate String staticTemplate;\n@org.apache.felix.scr.annotations.Property(label = \"Editable Template\",\n description = \"The value to update the cq:template with, this should be the new Editable Template.\")\n private static final String PROP_EDITABLE_TEMPLATE = \"editable.template\";\nprivate String editableTemplate;\n@org.apache.felix.scr.annotations.Property(label = \"Sling Resource Type\",\n description = \"The value to update the sling:resourceType with, this should be the same as the \" +\n \"new Editable Template.\")\n private static final String PROP_SLING_RESOURCE_TYPE = \"sling.resourceType\";\nprivate String slingResourceType;\n@org.apache.felix.scr.annotations.Property(label = \"Component Order\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify the order of the components in the new responsive grid. \" +\n \"Any found and unspecified are moved to the end in arbitrary order.\")\n private static final String PROP_ORDER_COMPONENTS = \"order.components\";\nprivate Map<String, List<String>> componentOrdering = new HashMap<>();\n@org.apache.felix.scr.annotations.Property(label = \"Remove Components\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify any components that may exist on the static page that can be removed.\")\n private static final String PROP_REMOVE_COMPONENTS = \"remove.components\";\nprivate String[] componentsToRemove;\n@org.apache.felix.scr.annotations.Property(label = \"Rename Components\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify new name for components as they are moved into the root responsive grid.\")\n private static final String PROP_RENAME_COMPONENTS = \"rename.components\";\nprivate Map<String, String> componentRenamed;\nprivate List<String> nested = new ArrayList<>();\nprivate int ranking = Integer.MAX_VALUE;\nprivate static final String RESPONSIVE_GRID_NODE_NAME = \"root\";\n\nmethod_signatures: @Override public boolean matches(Node root)\n@Override public Node applyTo(Node root, Set<Node> finalNodes)\nprivate List<String> moveStructure(Node source, Node target, List<String> ignored)\nprivate void reorderChildren(List<String> names, List<String> order, Node parent)\n@Activate protected void activate(ComponentContext context)\n@Override public String getStaticTemplate()\n@Override public int getRanking()\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: PageRewriteRuleTest\n\nclass_fields: private final String ROOTS_PATH = \"/libs/cq/modernize/templatestructure/content/roots\";\nprivate static final String STATIC_TEMPLATE = \"/apps/geometrixx/templates/homepage\";\nprivate static final String EDITABLE_TEMPLATE = \"/conf/geodemo/settings/wcm/templates/geometrixx-demo-home-page\";\nprivate static final String SLING_RESOURCE_TYPE = \"geodemo/components/structure/page\";\nprivate static final String[] ORDER = {\n \"responsivegrid\",\n \"responsivegrid_12345\",\n \"responsivegrid:header\",\n \"responsivegrid:title\"\n };\nprivate static final String[] REMOVE = { \"toBeRemoved\" };\nprivate static final String[] RENAME = { \"par:responsivegrid/responsivegrid\", \"rightpar:responsivegrid_12345\" };\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\nprivate BundleContext bundleContext;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/PageRewriteRule.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Activate\n protected void activate(ComponentContext context) throws RepositoryException, ConfigurationException {\n @SuppressWarnings(\"unchecked\")\n Dictionary<String, Object> props = context.getProperties();\n // read service ranking property\n Object ranking = props.get(\"service.ranking\");\n if (ranking != null) {\n try {\n this.ranking = (Integer) ranking;\n } catch (ClassCastException e) {\n // ignore\n logger.warn(\"Found invalid service.ranking value {}\", ranking);\n }\n }\n\n staticTemplate = PropertiesUtil.toString(props.get(PROP_STATIC_TEMPLATE), null);\n if (StringUtils.isBlank(staticTemplate)) {\n throw new ConfigurationException(PROP_STATIC_TEMPLATE, \"Static template is required.\");\n }\n\n editableTemplate = PropertiesUtil.toString(props.get(PROP_EDITABLE_TEMPLATE), null);\n if (StringUtils.isBlank(editableTemplate)) {\n throw new ConfigurationException(PROP_EDITABLE_TEMPLATE, \"Editable template is required.\");\n }\n\n slingResourceType = PropertiesUtil.toString(props.get(PROP_SLING_RESOURCE_TYPE), null);\n if (StringUtils.isBlank(slingResourceType)) {\n throw new ConfigurationException(PROP_SLING_RESOURCE_TYPE, \"Sling Resource Type is required.\");\n }\n\n\n\n String[] orders = PropertiesUtil.toStringArray(props.get(PROP_ORDER_COMPONENTS), new String[] {});\n for (String o : orders) {\n String[] tmp = StringUtils.split(o, \":\", 2);\n if (tmp.length < 1) {\n continue;\n }\n if (tmp.length == 2) {\n nested.add(tmp[1]);\n }\n String key = tmp.length == 2 ? tmp[0] : RESPONSIVE_GRID_NODE_NAME;\n String value = tmp.length == 2 ? tmp[1] : tmp[0];\n if (componentOrdering.get(key) == null) {\n componentOrdering.put(key, new ArrayList<>());\n }\n componentOrdering.get(key).add(value);\n\n }\n\n componentsToRemove = PropertiesUtil.toStringArray(props.get(PROP_REMOVE_COMPONENTS), new String[] {});\n\n componentRenamed = RewriteUtils.toMap(\n PropertiesUtil.toStringArray(props.get(PROP_RENAME_COMPONENTS), new String[] {}), \":\");\n\n // Add any renamed component that contains a path separator\n for (String val : componentRenamed.values()) {\n if (val.contains(\"/\")) {\n nested.add(val);\n }\n }\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/rules/PageRewriteRuleTest.java\n </TESTFILE7041>\n @Test(expected = RuntimeException.class)\n public void testActivateNoEditable() {\n BundleContext bundleContext = MockOsgi.newBundleContext();\n PageRewriteRule rule = new PageRewriteRule();\n MockOsgi.injectServices(rule, bundleContext);\n Dictionary<String, Object> props = new Hashtable<>();\n props.put(\"static.template\", STATIC_TEMPLATE);\n MockOsgi.activate(rule, bundleContext, props);\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/adobe/aem-modernize-tools
java
bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/component/impl/ComponentRewriteRuleServiceImpl.java
bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/component/impl/ComponentRewriteRuleServiceImplTest.java
public List<ComponentRewriteRule> getRules(ResourceResolver resolver) throws RepositoryException { final List<ComponentRewriteRule> rules = new LinkedList<>(); // 1) rules provided as OSGi services // (we need to synchronize, since the 'addAll' will iterate over 'rules') synchronized (this.rules) { rules.addAll(this.rules); } int jb = rules.size(); // 2) node-based rules Resource resource = resolver.getResource(RULES_SEARCH_PATH); if (resource != null) { Node rulesContainer = resource.adaptTo(Node.class); NodeIterator iterator = rulesContainer.getNodes(); while (iterator.hasNext()) { Node nextNode = iterator.nextNode(); if (isFolder(nextNode)) { // add first level folder rules NodeIterator nodeIterator = nextNode.getNodes(); while (nodeIterator.hasNext()) { Node nestedNode = nodeIterator.nextNode(); // don't include nested folders if (!isFolder(nestedNode)) { rules.add(new NodeBasedComponentRewriteRule(nestedNode)); } } } else { // add rules directly at the rules search path rules.add(new NodeBasedComponentRewriteRule(nextNode)); } } } // sort rules according to their ranking Collections.sort(rules, new ComponentRewriteRuleServiceImpl.RuleComparator()); logger.debug("Found {} rules ({} Java-based, {} node-based)", rules.size(), jb, rules.size() - jb); if (logger.isDebugEnabled()) { for (ComponentRewriteRule rule : rules) { logger.debug(rule.toString()); } } return rules; }
getRules
@Test public void testGetRules() throws Exception { List<String> expectedRulePaths = new ArrayList<>(); // expected ordering based on applied ranking is also represented here expectedRulePaths.addAll(Arrays.asList( RULES_PATH + "/rewriteRanking", RULES_PATH + "/simple", RULES_PATH + "/copyChildren", RULES_PATH + "/copyChildrenOrder", RULES_PATH + "/mapProperties", RULES_PATH + "/rewriteOptional", RULES_PATH + "/rewriteMapChildren", RULES_PATH + "/rewriteFinal", RULES_PATH + "/rewriteFinalOnReplacement", RULES_PATH + "/rewriteProperties", RULES_PATH + "/nested1/rule1", RULES_PATH + "/nested1/rule2", RULES_PATH + "/nested2/rule1")); List<ComponentRewriteRule> rules = componentRewriteRuleService.getRules(context.resourceResolver()); assertEquals(expectedRulePaths.size(), rules.size()); // asserts: // - rules considered at root and first level folders // - rules ordered based on ranking int index = 0; for (ComponentRewriteRule rule : rules) { String path = expectedRulePaths.get(index); assertTrue(rule.toString().contains("path=" + path + ",")); index++; } }
testGetRules
[ "addAll", "size", "getResource", "adaptTo", "getNodes", "hasNext", "nextNode", "isFolder", "getNodes", "hasNext", "nextNode", "isFolder", "add", "add", "sort", "debug", "size", "size", "isDebugEnabled", "debug", "toString" ]
[ "addAll", "asList", "getRules", "resourceResolver", "assertEquals", "size", "size", "get", "assertTrue", "contains", "toString" ]
{ "class_fields": "private final String RULES_PATH = \"/libs/cq/modernize/component/rules\";\nprivate ComponentRewriteRuleService componentRewriteRuleService;\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);", "class_name": "ComponentRewriteRuleServiceImplTest" }
{ "class_fields": "private Logger logger = LoggerFactory.getLogger(ComponentRewriteRuleServiceImpl.class);\npublic static final String RULES_SEARCH_PATH = \"cq/modernize/component/rules\";\n@Reference(\n referenceInterface = ComponentRewriteRule.class,\n cardinality = ReferenceCardinality.OPTIONAL_MULTIPLE,\n policy = ReferencePolicy.DYNAMIC,\n bind = \"bindRule\",\n unbind = \"unbindRule\"\n )\n private List<ComponentRewriteRule> rules = Collections.synchronizedList(new LinkedList<>());", "class_name": "ComponentRewriteRuleServiceImpl implements ComponentRewriteRuleService", "method_signatures": "@SuppressWarnings(\"unused\") public void bindRule(ComponentRewriteRule rule)\n@SuppressWarnings(\"unused\") public void unbindRule(ComponentRewriteRule rule)\npublic List<ComponentRewriteRule> getRules(ResourceResolver resolver)\n@Override public Set<String> getSlingResourceTypes(ResourceResolver resolver)\nprivate boolean isFolder(Node node)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/component/impl/ComponentRewriteRuleServiceImpl.java for which to generate the test case is:\nclass_name: ComponentRewriteRuleServiceImpl implements ComponentRewriteRuleService\n\nclass_fields: private Logger logger = LoggerFactory.getLogger(ComponentRewriteRuleServiceImpl.class);\npublic static final String RULES_SEARCH_PATH = \"cq/modernize/component/rules\";\n@Reference(\n referenceInterface = ComponentRewriteRule.class,\n cardinality = ReferenceCardinality.OPTIONAL_MULTIPLE,\n policy = ReferencePolicy.DYNAMIC,\n bind = \"bindRule\",\n unbind = \"unbindRule\"\n )\n private List<ComponentRewriteRule> rules = Collections.synchronizedList(new LinkedList<>());\n\nmethod_signatures: @SuppressWarnings(\"unused\") public void bindRule(ComponentRewriteRule rule)\n@SuppressWarnings(\"unused\") public void unbindRule(ComponentRewriteRule rule)\npublic List<ComponentRewriteRule> getRules(ResourceResolver resolver)\n@Override public Set<String> getSlingResourceTypes(ResourceResolver resolver)\nprivate boolean isFolder(Node node)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: ComponentRewriteRuleServiceImplTest\n\nclass_fields: private final String RULES_PATH = \"/libs/cq/modernize/component/rules\";\nprivate ComponentRewriteRuleService componentRewriteRuleService;\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/component/impl/ComponentRewriteRuleServiceImpl.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public List<ComponentRewriteRule> getRules(ResourceResolver resolver) throws RepositoryException {\n final List<ComponentRewriteRule> rules = new LinkedList<>();\n\n // 1) rules provided as OSGi services\n // (we need to synchronize, since the 'addAll' will iterate over 'rules')\n synchronized (this.rules) {\n rules.addAll(this.rules);\n }\n int jb = rules.size();\n\n // 2) node-based rules\n Resource resource = resolver.getResource(RULES_SEARCH_PATH);\n if (resource != null) {\n Node rulesContainer = resource.adaptTo(Node.class);\n NodeIterator iterator = rulesContainer.getNodes();\n while (iterator.hasNext()) {\n Node nextNode = iterator.nextNode();\n if (isFolder(nextNode)) {\n // add first level folder rules\n NodeIterator nodeIterator = nextNode.getNodes();\n while (nodeIterator.hasNext()) {\n Node nestedNode = nodeIterator.nextNode();\n // don't include nested folders\n if (!isFolder(nestedNode)) {\n rules.add(new NodeBasedComponentRewriteRule(nestedNode));\n }\n }\n } else {\n // add rules directly at the rules search path\n rules.add(new NodeBasedComponentRewriteRule(nextNode));\n }\n }\n }\n\n // sort rules according to their ranking\n Collections.sort(rules, new ComponentRewriteRuleServiceImpl.RuleComparator());\n\n logger.debug(\"Found {} rules ({} Java-based, {} node-based)\", rules.size(), jb, rules.size() - jb);\n if (logger.isDebugEnabled()) {\n for (ComponentRewriteRule rule : rules) {\n logger.debug(rule.toString());\n }\n }\n\n return rules;\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/component/impl/ComponentRewriteRuleServiceImplTest.java\n </TESTFILE7041>\n @Test\n public void testGetRules() throws Exception {\n List<String> expectedRulePaths = new ArrayList<>();\n\n // expected ordering based on applied ranking is also represented here\n expectedRulePaths.addAll(Arrays.asList(\n RULES_PATH + \"/rewriteRanking\",\n RULES_PATH + \"/simple\",\n RULES_PATH + \"/copyChildren\",\n RULES_PATH + \"/copyChildrenOrder\",\n RULES_PATH + \"/mapProperties\",\n RULES_PATH + \"/rewriteOptional\",\n RULES_PATH + \"/rewriteMapChildren\",\n RULES_PATH + \"/rewriteFinal\",\n RULES_PATH + \"/rewriteFinalOnReplacement\",\n RULES_PATH + \"/rewriteProperties\",\n RULES_PATH + \"/nested1/rule1\",\n RULES_PATH + \"/nested1/rule2\",\n RULES_PATH + \"/nested2/rule1\"));\n\n List<ComponentRewriteRule> rules = componentRewriteRuleService.getRules(context.resourceResolver());\n\n assertEquals(expectedRulePaths.size(), rules.size());\n\n // asserts:\n // - rules considered at root and first level folders\n // - rules ordered based on ranking\n int index = 0;\n for (ComponentRewriteRule rule : rules) {\n String path = expectedRulePaths.get(index);\n assertTrue(rule.toString().contains(\"path=\" + path + \",\"));\n index++;\n }\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/CodeQInvest/codeq-invest
java
quality-assessment/src/main/java/org/codeqinvest/quality/analysis/DefaultQualityAnalyzerScheduler.java
quality-assessment/src/test/java/org/codeqinvest/quality/analysis/DefaultQualityAnalyzerSchedulerTest.java
public boolean scheduleAnalyzer(Project project) { if (alreadyScheduledProjects.contains(project)) { log.info("Project {} is already scheduled!", project.getName()); return false; } alreadyScheduledProjects.add(project); QualityAnalyzerService qualityAnalyzerService = createDefaultQualityAnalyzer(); scheduler.schedule(new AnalyzerRunnable(project, projectRepository, qualityAnalyzerService), new CronTrigger(project.getCronExpression())); log.info("Scheduled analyzer job for project {} with cron expression {}", project.getName(), project.getCronExpression()); return true; }
scheduleAnalyzer
@Test public void scheduledProjectShouldNotBeMarkedAsHadAnalysis() { analyzerScheduler.scheduleAnalyzer(project); assertThat(project.hadAnalysis()).isFalse(); }
scheduledProjectShouldNotBeMarkedAsHadAnalysis
[ "contains", "info", "getName", "add", "createDefaultQualityAnalyzer", "schedule", "getCronExpression", "info", "getName", "getCronExpression" ]
[ "scheduleAnalyzer", "isFalse", "assertThat", "hadAnalysis" ]
{ "class_fields": "private QualityAnalyzerScheduler analyzerScheduler;\nprivate ProjectRepository projectRepository;\nprivate Project project;", "class_name": "DefaultQualityAnalyzerSchedulerTest" }
{ "class_fields": "private static final int DEFAULT_POOL_SIZE = 10;\nprivate final ThreadPoolTaskScheduler scheduler = new ThreadPoolTaskScheduler();\nprivate final ProjectRepository projectRepository;\nprivate final ViolationsCalculatorService violationsCalculatorService;\nprivate final ScmAvailabilityCheckerServiceFactory scmAvailabilityCheckerServiceFactory;\nprivate final CodeChangeProbabilityCalculatorFactory codeChangeProbabilityCalculatorFactory;\nprivate final SecureChangeProbabilityCalculator secureChangeProbabilityCalculator;\nprivate final QualityViolationCostsCalculator costsCalculator;\nprivate final QualityAnalysisRepository qualityAnalysisRepository;\nprivate final Set<Project> alreadyScheduledProjects = Sets.newCopyOnWriteArraySet();", "class_name": "DefaultQualityAnalyzerScheduler implements QualityAnalyzerScheduler", "method_signatures": "@Autowired public DefaultQualityAnalyzerScheduler(ProjectRepository projectRepository,\n ViolationsCalculatorService violationsCalculatorService,\n ScmAvailabilityCheckerServiceFactory scmAvailabilityCheckerServiceFactory,\n CodeChangeProbabilityCalculatorFactory codeChangeProbabilityCalculatorFactory,\n SecureChangeProbabilityCalculator secureChangeProbabilityCalculator, QualityViolationCostsCalculator costsCalculator,\n QualityAnalysisRepository qualityAnalysisRepository)\npublic void executeAnalyzer(Project project)\npublic boolean scheduleAnalyzer(Project project)\nprivate DefaultQualityAnalyzerService createDefaultQualityAnalyzer()" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: quality-assessment/src/main/java/org/codeqinvest/quality/analysis/DefaultQualityAnalyzerScheduler.java for which to generate the test case is:\nclass_name: DefaultQualityAnalyzerScheduler implements QualityAnalyzerScheduler\n\nclass_fields: private static final int DEFAULT_POOL_SIZE = 10;\nprivate final ThreadPoolTaskScheduler scheduler = new ThreadPoolTaskScheduler();\nprivate final ProjectRepository projectRepository;\nprivate final ViolationsCalculatorService violationsCalculatorService;\nprivate final ScmAvailabilityCheckerServiceFactory scmAvailabilityCheckerServiceFactory;\nprivate final CodeChangeProbabilityCalculatorFactory codeChangeProbabilityCalculatorFactory;\nprivate final SecureChangeProbabilityCalculator secureChangeProbabilityCalculator;\nprivate final QualityViolationCostsCalculator costsCalculator;\nprivate final QualityAnalysisRepository qualityAnalysisRepository;\nprivate final Set<Project> alreadyScheduledProjects = Sets.newCopyOnWriteArraySet();\n\nmethod_signatures: @Autowired public DefaultQualityAnalyzerScheduler(ProjectRepository projectRepository,\n ViolationsCalculatorService violationsCalculatorService,\n ScmAvailabilityCheckerServiceFactory scmAvailabilityCheckerServiceFactory,\n CodeChangeProbabilityCalculatorFactory codeChangeProbabilityCalculatorFactory,\n SecureChangeProbabilityCalculator secureChangeProbabilityCalculator, QualityViolationCostsCalculator costsCalculator,\n QualityAnalysisRepository qualityAnalysisRepository)\npublic void executeAnalyzer(Project project)\npublic boolean scheduleAnalyzer(Project project)\nprivate DefaultQualityAnalyzerService createDefaultQualityAnalyzer()\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: DefaultQualityAnalyzerSchedulerTest\n\nclass_fields: private QualityAnalyzerScheduler analyzerScheduler;\nprivate ProjectRepository projectRepository;\nprivate Project project;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file quality-assessment/src/main/java/org/codeqinvest/quality/analysis/DefaultQualityAnalyzerScheduler.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public boolean scheduleAnalyzer(Project project) {\n if (alreadyScheduledProjects.contains(project)) {\n log.info(\"Project {} is already scheduled!\", project.getName());\n return false;\n }\n alreadyScheduledProjects.add(project);\n\n QualityAnalyzerService qualityAnalyzerService = createDefaultQualityAnalyzer();\n scheduler.schedule(new AnalyzerRunnable(project, projectRepository, qualityAnalyzerService), new CronTrigger(project.getCronExpression()));\n log.info(\"Scheduled analyzer job for project {} with cron expression {}\", project.getName(), project.getCronExpression());\n return true;\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n quality-assessment/src/test/java/org/codeqinvest/quality/analysis/DefaultQualityAnalyzerSchedulerTest.java\n </TESTFILE7041>\n @Test\n public void scheduledProjectShouldNotBeMarkedAsHadAnalysis() {\n analyzerScheduler.scheduleAnalyzer(project);\n assertThat(project.hadAnalysis()).isFalse();\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/sleuthkit/hadoop_framework
java
core/src/main/java/com/lightboxtechnologies/spectrum/ExtentsInputStream.java
core/src/test/java/com/lightboxtechnologies/spectrum/ExtentsInputStreamTest.java
@Override public int read() throws IOException { final byte[] b = new byte[1]; // keep trying until we read one byte or hit EOF int rlen; do { rlen = read(b, 0, 1); } while (rlen == 0); return rlen == -1 ? -1 : b[0]; }
read
@Test public void readArrayOneExtentTest() throws IOException { final Map<String,Object> extent = new HashMap<String,Object>(); extent.put("addr", Long.valueOf(42)); extent.put("len", Long.valueOf(10)); final List<Map<String,Object>> extents = Collections.singletonList(extent); final byte[] src = new byte[1024]; for (int i = 0; i < src.length; ++i) { src[i] = (byte) (i % 256); } final byte[] expected = new byte[10]; System.arraycopy(src, 42, expected, 0, 10); final FSDataInputStream in = new ArrayFSDataInputStream(src); final InputStream eis = new ExtentsInputStream(in, extents); final byte[] actual = new byte[expected.length]; assertEquals(10, eis.read(actual, 0, actual.length)); assertArrayEquals(expected, actual); }
readArrayOneExtentTest
[ "read" ]
[ "put", "valueOf", "put", "valueOf", "singletonList", "arraycopy", "assertEquals", "read", "assertArrayEquals" ]
{ "class_fields": "protected final Mockery context = new JUnit4Mockery() {\n {\n setImposteriser(ClassImposteriser.INSTANCE);\n }\n };", "class_name": "ExtentsInputStreamTest" }
{ "class_fields": "protected final FSDataInputStream in;\nprotected final Iterator<Map<String,Object>> ext_iter;\nprotected Map<String,?> cur_extent = null;\nprotected long cur_pos;\nprotected long cur_end;", "class_name": "ExtentsInputStream extends InputStream", "method_signatures": "public ExtentsInputStream(FSDataInputStream in,\n List<Map<String,Object>> extents)\nprotected boolean prepareExtent()\n@Override public int read()\n@Override public int read(byte[] buf, int off, int len)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: core/src/main/java/com/lightboxtechnologies/spectrum/ExtentsInputStream.java for which to generate the test case is:\nclass_name: ExtentsInputStream extends InputStream\n\nclass_fields: protected final FSDataInputStream in;\nprotected final Iterator<Map<String,Object>> ext_iter;\nprotected Map<String,?> cur_extent = null;\nprotected long cur_pos;\nprotected long cur_end;\n\nmethod_signatures: public ExtentsInputStream(FSDataInputStream in,\n List<Map<String,Object>> extents)\nprotected boolean prepareExtent()\n@Override public int read()\n@Override public int read(byte[] buf, int off, int len)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: ExtentsInputStreamTest\n\nclass_fields: protected final Mockery context = new JUnit4Mockery() {\n {\n setImposteriser(ClassImposteriser.INSTANCE);\n }\n };\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file core/src/main/java/com/lightboxtechnologies/spectrum/ExtentsInputStream.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public int read() throws IOException {\n final byte[] b = new byte[1];\n\n // keep trying until we read one byte or hit EOF\n int rlen;\n do {\n rlen = read(b, 0, 1);\n } while (rlen == 0);\n\n return rlen == -1 ? -1 : b[0];\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n core/src/test/java/com/lightboxtechnologies/spectrum/ExtentsInputStreamTest.java\n </TESTFILE7041>\n @Test\n public void readArrayOneExtentTest() throws IOException {\n final Map<String,Object> extent = new HashMap<String,Object>();\n extent.put(\"addr\", Long.valueOf(42));\n extent.put(\"len\", Long.valueOf(10));\n \n final List<Map<String,Object>> extents = Collections.singletonList(extent);\n \n final byte[] src = new byte[1024]; \n for (int i = 0; i < src.length; ++i) {\n src[i] = (byte) (i % 256);\n }\n\n final byte[] expected = new byte[10];\n System.arraycopy(src, 42, expected, 0, 10);\n\n final FSDataInputStream in = new ArrayFSDataInputStream(src);\n\n final InputStream eis = new ExtentsInputStream(in, extents);\n\n final byte[] actual = new byte[expected.length];\n assertEquals(10, eis.read(actual, 0, actual.length));\n assertArrayEquals(expected, actual);\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/adobe/aem-modernize-tools
java
bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/dialog/DialogRewriteUtils.java
bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/dialog/DialogRewriteUtilsTest.java
public static DialogType getDialogType(Node node) throws RepositoryException { DialogType type = DialogType.UNKNOWN; if (node == null) { return type; } String name = node.getName(); if (Arrays.asList(CLASSIC_DIALOG_NAMES).contains(name) && NT_DIALOG.equals(node.getPrimaryNodeType().getName())) { type = DialogType.CLASSIC; } else if (Arrays.asList(DIALOG_NAMES).contains(name) && node.hasNode("content")) { Node contentNode = node.getNode("content"); type = DialogType.CORAL_2; if (contentNode != null) { if (contentNode.hasProperty(ResourceResolver.PROPERTY_RESOURCE_TYPE)) { String resourceType = contentNode.getProperty(ResourceResolver.PROPERTY_RESOURCE_TYPE).getString(); type = resourceType.startsWith(DIALOG_CONTENT_RESOURCETYPE_PREFIX_CORAL3) ? DialogType.CORAL_3 : DialogType.CORAL_2; } } } return type; }
getDialogType
@Test public void testGetDialogTypeClassic() throws Exception { boolean allClassic = false; String[] classicDialogPaths = { DIALOGS_ROOT + "/classic/dialog", DIALOGS_ROOT + "/classic/design_dialog" }; for (String path: classicDialogPaths) { Resource resource = context.resourceResolver().getResource(path); Node node = resource.adaptTo(Node.class); DialogType type = DialogRewriteUtils.getDialogType(node); allClassic = (type == DialogType.CLASSIC); if (!allClassic) { break; } } assertTrue(allClassic); }
testGetDialogTypeClassic
[ "getName", "contains", "asList", "equals", "getName", "getPrimaryNodeType", "contains", "asList", "hasNode", "getNode", "hasProperty", "getString", "getProperty", "startsWith" ]
[ "getResource", "resourceResolver", "adaptTo", "getDialogType", "assertTrue" ]
{ "class_fields": "private static final String DIALOGS_ROOT = \"/libs/cq/dialogconversion/content/dialogs\";\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_MOCK);", "class_name": "DialogRewriteUtilsTest" }
{ "class_fields": "public static final String CORAL_2_BACKUP_SUFFIX = \".coral2\";\npublic static final String NT_DIALOG = \"cq:Dialog\";\npublic static final String NN_CQ_DIALOG = \"cq:dialog\";\npublic static final String NN_CQ_DESIGN_DIALOG = \"cq:design_dialog\";\npublic static final String DIALOG_CONTENT_RESOURCETYPE_PREFIX_CORAL3 = \"granite/ui/components/coral/foundation\";\nprivate static final String[] CLASSIC_DIALOG_NAMES = {NameConstants.NN_DIALOG, NameConstants.NN_DESIGN_DIALOG};\nprivate static final String[] DIALOG_NAMES = {NN_CQ_DIALOG, NN_CQ_DESIGN_DIALOG, NN_CQ_DIALOG + CORAL_2_BACKUP_SUFFIX, NN_CQ_DESIGN_DIALOG + CORAL_2_BACKUP_SUFFIX};", "class_name": "DialogRewriteUtils", "method_signatures": "public static boolean hasXtype(Node node, String xtype)\npublic static boolean hasType(Node node, String type)\npublic static Property copyProperty(Node source, String relPropertyPath, Node destination, String name)\npublic static DialogType getDialogType(Node node)\npublic static boolean isDesignDialog(Node node)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/dialog/DialogRewriteUtils.java for which to generate the test case is:\nclass_name: DialogRewriteUtils\n\nclass_fields: public static final String CORAL_2_BACKUP_SUFFIX = \".coral2\";\npublic static final String NT_DIALOG = \"cq:Dialog\";\npublic static final String NN_CQ_DIALOG = \"cq:dialog\";\npublic static final String NN_CQ_DESIGN_DIALOG = \"cq:design_dialog\";\npublic static final String DIALOG_CONTENT_RESOURCETYPE_PREFIX_CORAL3 = \"granite/ui/components/coral/foundation\";\nprivate static final String[] CLASSIC_DIALOG_NAMES = {NameConstants.NN_DIALOG, NameConstants.NN_DESIGN_DIALOG};\nprivate static final String[] DIALOG_NAMES = {NN_CQ_DIALOG, NN_CQ_DESIGN_DIALOG, NN_CQ_DIALOG + CORAL_2_BACKUP_SUFFIX, NN_CQ_DESIGN_DIALOG + CORAL_2_BACKUP_SUFFIX};\n\nmethod_signatures: public static boolean hasXtype(Node node, String xtype)\npublic static boolean hasType(Node node, String type)\npublic static Property copyProperty(Node source, String relPropertyPath, Node destination, String name)\npublic static DialogType getDialogType(Node node)\npublic static boolean isDesignDialog(Node node)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: DialogRewriteUtilsTest\n\nclass_fields: private static final String DIALOGS_ROOT = \"/libs/cq/dialogconversion/content/dialogs\";\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_MOCK);\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/dialog/DialogRewriteUtils.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public static DialogType getDialogType(Node node) throws RepositoryException {\n DialogType type = DialogType.UNKNOWN;\n\n if (node == null) {\n return type;\n }\n\n String name = node.getName();\n\n if (Arrays.asList(CLASSIC_DIALOG_NAMES).contains(name) && NT_DIALOG.equals(node.getPrimaryNodeType().getName())) {\n type = DialogType.CLASSIC;\n } else if (Arrays.asList(DIALOG_NAMES).contains(name) && node.hasNode(\"content\")) {\n Node contentNode = node.getNode(\"content\");\n type = DialogType.CORAL_2;\n\n if (contentNode != null) {\n if (contentNode.hasProperty(ResourceResolver.PROPERTY_RESOURCE_TYPE)) {\n String resourceType = contentNode.getProperty(ResourceResolver.PROPERTY_RESOURCE_TYPE).getString();\n type = resourceType.startsWith(DIALOG_CONTENT_RESOURCETYPE_PREFIX_CORAL3) ? DialogType.CORAL_3 : DialogType.CORAL_2;\n }\n }\n }\n\n return type;\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/dialog/DialogRewriteUtilsTest.java\n </TESTFILE7041>\n @Test\n public void testGetDialogTypeClassic() throws Exception {\n boolean allClassic = false;\n\n String[] classicDialogPaths = {\n DIALOGS_ROOT + \"/classic/dialog\",\n DIALOGS_ROOT + \"/classic/design_dialog\"\n };\n\n for (String path: classicDialogPaths) {\n Resource resource = context.resourceResolver().getResource(path);\n Node node = resource.adaptTo(Node.class);\n DialogType type = DialogRewriteUtils.getDialogType(node);\n allClassic = (type == DialogType.CLASSIC);\n if (!allClassic) {\n break;\n }\n }\n\n assertTrue(allClassic);\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/adobe/aem-modernize-tools
java
bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/component/datasources/ComponentsDataSource.java
bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/component/datasources/ComponentsDataSourceTest.java
@Override protected void doGet(SlingHttpServletRequest request, SlingHttpServletResponse response) throws ServletException, IOException { try { Resource resource = request.getResource(); ValueMap properties = resource.getValueMap(); String itemResourceType = properties.get("itemResourceType", String.class); String path = properties.get("path", String.class); path = expressionResolver.resolve(path, request.getLocale(), String.class, request); if (StringUtils.isEmpty(path)) { log.warn("Path unavailable"); return; } if (CollectionUtils.isEmpty( componentRewriteRuleService.getSlingResourceTypes(request.getResourceResolver()))) { // No rules. return; } setDataSource(path, request, itemResourceType); } catch (RepositoryException e) { log.warn("Unable to list components: {}", e.getMessage()); } }
doGet
@Test public void testDoGet() throws Exception { // prepare request resource HashMap<String, Object> properties = new HashMap<>(); properties.put("path", COMPONENTS_ROOT); properties.put("itemResourceType", ITEM_RESOURCE_TYPE); Mockito.stub(requestResource.getValueMap()).toReturn(new ValueMapDecorator(properties)); // prepare expression resolver Mockito.stub(expressionResolver.resolve(COMPONENTS_ROOT, Locale.US, String.class, request)).toReturn(COMPONENTS_ROOT); Whitebox.setInternalState(componentsDataSource, "expressionResolver", expressionResolver); List<String> expectedComponentPaths = new ArrayList<>(); expectedComponentPaths.addAll(Arrays.asList( COMPONENTS_ROOT + "/simple", COMPONENTS_ROOT + "/copyChildren", COMPONENTS_ROOT + "/rewriteOptional", COMPONENTS_ROOT + "/mapProperties", COMPONENTS_ROOT + "/rewriteProperties", COMPONENTS_ROOT + "/rewriteMapChildren", COMPONENTS_ROOT + "/copyChildrenOrder", COMPONENTS_ROOT + "/level1/simple", COMPONENTS_ROOT + "/level1/mapProperties", COMPONENTS_ROOT + "/level1/rewriteProperties", COMPONENTS_ROOT + "/level1/rewriteMapChildren" )); componentsDataSource.doGet(request, response); ArgumentCaptor<DataSource> dataSourceArgumentCaptor = ArgumentCaptor.forClass(DataSource.class); Mockito.verify(request).setAttribute(Mockito.anyString(), dataSourceArgumentCaptor.capture()); DataSource componentsDataSource = dataSourceArgumentCaptor.getValue(); @SuppressWarnings("unchecked") List<Resource> componentsList = IteratorUtils.toList(componentsDataSource.iterator()); assertEquals(expectedComponentPaths.size(), componentsList.size()); for (Resource componentResource : componentsList) { ValueMap valueMap = componentResource.getValueMap(); // expected properties assertNotNull(valueMap.get("componentPath")); assertNotNull(valueMap.get("resourceType")); assertNotNull(valueMap.get("href")); assertNotNull(valueMap.get("crxHref")); expectedComponentPaths.remove(valueMap.get("componentPath")); } assertEquals(0, expectedComponentPaths.size()); }
testDoGet
[ "getResource", "getValueMap", "get", "get", "resolve", "getLocale", "isEmpty", "warn", "isEmpty", "getSlingResourceTypes", "getResourceResolver", "setDataSource", "warn", "getMessage" ]
[ "put", "put", "toReturn", "stub", "getValueMap", "toReturn", "stub", "resolve", "setInternalState", "addAll", "asList", "doGet", "forClass", "setAttribute", "verify", "anyString", "capture", "getValue", "toList", "iterator", "assertEquals", "size", "size", "getValueMap", "assertNotNull", "get", "assertNotNull", "get", "assertNotNull", "get", "assertNotNull", "get", "remove", "get", "assertEquals", "size" ]
{ "class_fields": "private static final String COMPONENTS_ROOT = \"/libs/cq/modernize/component/content\";\nprivate static final String ITEM_RESOURCE_TYPE = \"cq/modernize/component/components/item\";\nprivate static final String RULES_ROOT = \"/libs/cq/modernize/component/rules\";\nprivate ComponentsDataSource componentsDataSource;\nprivate ComponentRewriteRuleService componentRewriteRuleService;\n@Rule\n public SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\n@Mock\n private SlingHttpServletRequest request;\n@Mock\n private SlingHttpServletResponse response;\n@Mock\n private Resource requestResource;\n@Mock\n private RequestPathInfo requestPathInfo;\n@Mock\n private ExpressionResolver expressionResolver;\n@Mock\n private Externalizer externalizer;", "class_name": "ComponentsDataSourceTest" }
{ "class_fields": "private final static Logger log = LoggerFactory.getLogger(ComponentsDataSource.class);\nprivate static final String CRX_LITE_PATH = \"/crx/de/index\";\n@Reference\n private ExpressionResolver expressionResolver;\n@Reference\n private Externalizer externalizer;\n@Reference\n private ComponentRewriteRuleService componentRewriteRuleService;", "class_name": "ComponentsDataSource extends SlingSafeMethodsServlet", "method_signatures": "@Override protected void doGet(SlingHttpServletRequest request, SlingHttpServletResponse response)\nprivate void setDataSource(String path, SlingHttpServletRequest request, String itemResourceType)\nprivate void buildNodeMap(String searchPath, Map<String, Node> nodeMap, ResourceResolver resolver)\nprivate void buildResources(List<Resource> resources, Map<String, Node> nodes, SlingHttpServletRequest request, String itemResourceType)\nprivate Query createQuery(String path, ResourceResolver resourceResolver)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/component/datasources/ComponentsDataSource.java for which to generate the test case is:\nclass_name: ComponentsDataSource extends SlingSafeMethodsServlet\n\nclass_fields: private final static Logger log = LoggerFactory.getLogger(ComponentsDataSource.class);\nprivate static final String CRX_LITE_PATH = \"/crx/de/index\";\n@Reference\n private ExpressionResolver expressionResolver;\n@Reference\n private Externalizer externalizer;\n@Reference\n private ComponentRewriteRuleService componentRewriteRuleService;\n\nmethod_signatures: @Override protected void doGet(SlingHttpServletRequest request, SlingHttpServletResponse response)\nprivate void setDataSource(String path, SlingHttpServletRequest request, String itemResourceType)\nprivate void buildNodeMap(String searchPath, Map<String, Node> nodeMap, ResourceResolver resolver)\nprivate void buildResources(List<Resource> resources, Map<String, Node> nodes, SlingHttpServletRequest request, String itemResourceType)\nprivate Query createQuery(String path, ResourceResolver resourceResolver)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: ComponentsDataSourceTest\n\nclass_fields: private static final String COMPONENTS_ROOT = \"/libs/cq/modernize/component/content\";\nprivate static final String ITEM_RESOURCE_TYPE = \"cq/modernize/component/components/item\";\nprivate static final String RULES_ROOT = \"/libs/cq/modernize/component/rules\";\nprivate ComponentsDataSource componentsDataSource;\nprivate ComponentRewriteRuleService componentRewriteRuleService;\n@Rule\n public SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\n@Mock\n private SlingHttpServletRequest request;\n@Mock\n private SlingHttpServletResponse response;\n@Mock\n private Resource requestResource;\n@Mock\n private RequestPathInfo requestPathInfo;\n@Mock\n private ExpressionResolver expressionResolver;\n@Mock\n private Externalizer externalizer;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/component/datasources/ComponentsDataSource.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n protected void doGet(SlingHttpServletRequest request, SlingHttpServletResponse response) throws ServletException, IOException {\n try {\n Resource resource = request.getResource();\n ValueMap properties = resource.getValueMap();\n String itemResourceType = properties.get(\"itemResourceType\", String.class);\n\n String path = properties.get(\"path\", String.class);\n path = expressionResolver.resolve(path, request.getLocale(), String.class, request);\n\n if (StringUtils.isEmpty(path)) {\n log.warn(\"Path unavailable\");\n return;\n }\n\n if (CollectionUtils.isEmpty(\n componentRewriteRuleService.getSlingResourceTypes(request.getResourceResolver()))) {\n // No rules.\n return;\n }\n\n\n setDataSource(path, request, itemResourceType);\n } catch (RepositoryException e) {\n log.warn(\"Unable to list components: {}\", e.getMessage());\n }\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/component/datasources/ComponentsDataSourceTest.java\n </TESTFILE7041>\n @Test\n public void testDoGet() throws Exception {\n // prepare request resource\n HashMap<String, Object> properties = new HashMap<>();\n properties.put(\"path\", COMPONENTS_ROOT);\n properties.put(\"itemResourceType\", ITEM_RESOURCE_TYPE);\n Mockito.stub(requestResource.getValueMap()).toReturn(new ValueMapDecorator(properties));\n\n // prepare expression resolver\n Mockito.stub(expressionResolver.resolve(COMPONENTS_ROOT, Locale.US, String.class, request)).toReturn(COMPONENTS_ROOT);\n Whitebox.setInternalState(componentsDataSource, \"expressionResolver\", expressionResolver);\n\n List<String> expectedComponentPaths = new ArrayList<>();\n expectedComponentPaths.addAll(Arrays.asList(\n COMPONENTS_ROOT + \"/simple\",\n COMPONENTS_ROOT + \"/copyChildren\",\n COMPONENTS_ROOT + \"/rewriteOptional\",\n COMPONENTS_ROOT + \"/mapProperties\",\n COMPONENTS_ROOT + \"/rewriteProperties\",\n COMPONENTS_ROOT + \"/rewriteMapChildren\",\n COMPONENTS_ROOT + \"/copyChildrenOrder\",\n COMPONENTS_ROOT + \"/level1/simple\",\n COMPONENTS_ROOT + \"/level1/mapProperties\",\n COMPONENTS_ROOT + \"/level1/rewriteProperties\",\n COMPONENTS_ROOT + \"/level1/rewriteMapChildren\"\n ));\n\n componentsDataSource.doGet(request, response);\n\n ArgumentCaptor<DataSource> dataSourceArgumentCaptor = ArgumentCaptor.forClass(DataSource.class);\n Mockito.verify(request).setAttribute(Mockito.anyString(), dataSourceArgumentCaptor.capture());\n\n DataSource componentsDataSource = dataSourceArgumentCaptor.getValue();\n\n @SuppressWarnings(\"unchecked\")\n List<Resource> componentsList = IteratorUtils.toList(componentsDataSource.iterator());\n\n assertEquals(expectedComponentPaths.size(), componentsList.size());\n\n for (Resource componentResource : componentsList) {\n ValueMap valueMap = componentResource.getValueMap();\n\n // expected properties\n assertNotNull(valueMap.get(\"componentPath\"));\n assertNotNull(valueMap.get(\"resourceType\"));\n assertNotNull(valueMap.get(\"href\"));\n assertNotNull(valueMap.get(\"crxHref\"));\n\n expectedComponentPaths.remove(valueMap.get(\"componentPath\"));\n }\n\n assertEquals(0, expectedComponentPaths.size());\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/adobe/aem-modernize-tools
java
bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/dialog/DialogRewriteUtils.java
bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/dialog/DialogRewriteUtilsTest.java
public static DialogType getDialogType(Node node) throws RepositoryException { DialogType type = DialogType.UNKNOWN; if (node == null) { return type; } String name = node.getName(); if (Arrays.asList(CLASSIC_DIALOG_NAMES).contains(name) && NT_DIALOG.equals(node.getPrimaryNodeType().getName())) { type = DialogType.CLASSIC; } else if (Arrays.asList(DIALOG_NAMES).contains(name) && node.hasNode("content")) { Node contentNode = node.getNode("content"); type = DialogType.CORAL_2; if (contentNode != null) { if (contentNode.hasProperty(ResourceResolver.PROPERTY_RESOURCE_TYPE)) { String resourceType = contentNode.getProperty(ResourceResolver.PROPERTY_RESOURCE_TYPE).getString(); type = resourceType.startsWith(DIALOG_CONTENT_RESOURCETYPE_PREFIX_CORAL3) ? DialogType.CORAL_3 : DialogType.CORAL_2; } } } return type; }
getDialogType
@Test public void testGetDialogTypeCoral3() throws Exception { boolean allCoral3 = false; String[] coral3DialogPaths = { DIALOGS_ROOT + "/level1/converted/cq:dialog", DIALOGS_ROOT + "/level1/converted/cq:design_dialog" }; for (String path: coral3DialogPaths) { Resource resource = context.resourceResolver().getResource(path); Node node = resource.adaptTo(Node.class); DialogType type = DialogRewriteUtils.getDialogType(node); allCoral3 = (type == DialogType.CORAL_3); if (!allCoral3) { break; } } assertTrue(allCoral3); }
testGetDialogTypeCoral3
[ "getName", "contains", "asList", "equals", "getName", "getPrimaryNodeType", "contains", "asList", "hasNode", "getNode", "hasProperty", "getString", "getProperty", "startsWith" ]
[ "getResource", "resourceResolver", "adaptTo", "getDialogType", "assertTrue" ]
{ "class_fields": "private static final String DIALOGS_ROOT = \"/libs/cq/dialogconversion/content/dialogs\";\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_MOCK);", "class_name": "DialogRewriteUtilsTest" }
{ "class_fields": "public static final String CORAL_2_BACKUP_SUFFIX = \".coral2\";\npublic static final String NT_DIALOG = \"cq:Dialog\";\npublic static final String NN_CQ_DIALOG = \"cq:dialog\";\npublic static final String NN_CQ_DESIGN_DIALOG = \"cq:design_dialog\";\npublic static final String DIALOG_CONTENT_RESOURCETYPE_PREFIX_CORAL3 = \"granite/ui/components/coral/foundation\";\nprivate static final String[] CLASSIC_DIALOG_NAMES = {NameConstants.NN_DIALOG, NameConstants.NN_DESIGN_DIALOG};\nprivate static final String[] DIALOG_NAMES = {NN_CQ_DIALOG, NN_CQ_DESIGN_DIALOG, NN_CQ_DIALOG + CORAL_2_BACKUP_SUFFIX, NN_CQ_DESIGN_DIALOG + CORAL_2_BACKUP_SUFFIX};", "class_name": "DialogRewriteUtils", "method_signatures": "public static boolean hasXtype(Node node, String xtype)\npublic static boolean hasType(Node node, String type)\npublic static Property copyProperty(Node source, String relPropertyPath, Node destination, String name)\npublic static DialogType getDialogType(Node node)\npublic static boolean isDesignDialog(Node node)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/dialog/DialogRewriteUtils.java for which to generate the test case is:\nclass_name: DialogRewriteUtils\n\nclass_fields: public static final String CORAL_2_BACKUP_SUFFIX = \".coral2\";\npublic static final String NT_DIALOG = \"cq:Dialog\";\npublic static final String NN_CQ_DIALOG = \"cq:dialog\";\npublic static final String NN_CQ_DESIGN_DIALOG = \"cq:design_dialog\";\npublic static final String DIALOG_CONTENT_RESOURCETYPE_PREFIX_CORAL3 = \"granite/ui/components/coral/foundation\";\nprivate static final String[] CLASSIC_DIALOG_NAMES = {NameConstants.NN_DIALOG, NameConstants.NN_DESIGN_DIALOG};\nprivate static final String[] DIALOG_NAMES = {NN_CQ_DIALOG, NN_CQ_DESIGN_DIALOG, NN_CQ_DIALOG + CORAL_2_BACKUP_SUFFIX, NN_CQ_DESIGN_DIALOG + CORAL_2_BACKUP_SUFFIX};\n\nmethod_signatures: public static boolean hasXtype(Node node, String xtype)\npublic static boolean hasType(Node node, String type)\npublic static Property copyProperty(Node source, String relPropertyPath, Node destination, String name)\npublic static DialogType getDialogType(Node node)\npublic static boolean isDesignDialog(Node node)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: DialogRewriteUtilsTest\n\nclass_fields: private static final String DIALOGS_ROOT = \"/libs/cq/dialogconversion/content/dialogs\";\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_MOCK);\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/dialog/DialogRewriteUtils.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public static DialogType getDialogType(Node node) throws RepositoryException {\n DialogType type = DialogType.UNKNOWN;\n\n if (node == null) {\n return type;\n }\n\n String name = node.getName();\n\n if (Arrays.asList(CLASSIC_DIALOG_NAMES).contains(name) && NT_DIALOG.equals(node.getPrimaryNodeType().getName())) {\n type = DialogType.CLASSIC;\n } else if (Arrays.asList(DIALOG_NAMES).contains(name) && node.hasNode(\"content\")) {\n Node contentNode = node.getNode(\"content\");\n type = DialogType.CORAL_2;\n\n if (contentNode != null) {\n if (contentNode.hasProperty(ResourceResolver.PROPERTY_RESOURCE_TYPE)) {\n String resourceType = contentNode.getProperty(ResourceResolver.PROPERTY_RESOURCE_TYPE).getString();\n type = resourceType.startsWith(DIALOG_CONTENT_RESOURCETYPE_PREFIX_CORAL3) ? DialogType.CORAL_3 : DialogType.CORAL_2;\n }\n }\n }\n\n return type;\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/dialog/DialogRewriteUtilsTest.java\n </TESTFILE7041>\n @Test\n public void testGetDialogTypeCoral3() throws Exception {\n boolean allCoral3 = false;\n\n String[] coral3DialogPaths = {\n DIALOGS_ROOT + \"/level1/converted/cq:dialog\",\n DIALOGS_ROOT + \"/level1/converted/cq:design_dialog\"\n };\n\n for (String path: coral3DialogPaths) {\n Resource resource = context.resourceResolver().getResource(path);\n Node node = resource.adaptTo(Node.class);\n DialogType type = DialogRewriteUtils.getDialogType(node);\n allCoral3 = (type == DialogType.CORAL_3);\n if (!allCoral3) {\n break;\n }\n }\n\n assertTrue(allCoral3);\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/adobe/aem-modernize-tools
java
bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRule.java
bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRuleTest.java
@Activate protected void activate(ComponentContext context) throws RepositoryException, ConfigurationException { @SuppressWarnings("unchecked") Dictionary<String, Object> props = context.getProperties(); // read service ranking property Object ranking = props.get("service.ranking"); if (ranking != null) { try { this.ranking = (Integer) ranking; } catch (ClassCastException e) { // ignore logger.warn("Found invalid service.ranking value {}", ranking); } } resourceType = PropertiesUtil.toString(props.get(PROP_RESOURCE_TYPE), PROP_RESOURCE_TYPE_DEFAULT); if (StringUtils.isBlank(resourceType)) { throw new ConfigurationException(PROP_RESOURCE_TYPE, "Sling Resource Type is required."); } layout = PropertiesUtil.toString(props.get(PROP_LAYOUT_VALUE), null); if (StringUtils.isBlank(layout)) { throw new ConfigurationException(PROP_LAYOUT_VALUE, "Layout value property is required."); } String[] widthsStrings = PropertiesUtil.toStringArray(props.get(PROP_COLUMN_WIDTHS), null); if (ArrayUtils.isEmpty(widthsStrings)) { throw new ConfigurationException(PROP_COLUMN_WIDTHS, "Column width property is required."); } else { widths = new long[widthsStrings.length]; for (int i = 0; i < widthsStrings.length; i++) { try { widths[i] = Long.parseLong(widthsStrings[i]); } catch (NumberFormatException ex) { throw new ConfigurationException(PROP_COLUMN_WIDTHS, "Column width values must be of type long."); } } } }
activate
@Test(expected = RuntimeException.class) public void testActivateNoLayout() { BundleContext bundleContext = MockOsgi.newBundleContext(); ColumnControlRewriteRule rule = new ColumnControlRewriteRule(); MockOsgi.injectServices(rule, bundleContext); Dictionary<String, Object> props = new Hashtable<>(); MockOsgi.activate(rule, bundleContext, props); }
testActivateNoLayout
[ "getProperties", "get", "warn", "toString", "get", "isBlank", "toString", "get", "isBlank", "toStringArray", "get", "isEmpty", "parseLong" ]
[ "newBundleContext", "injectServices", "activate" ]
{ "class_fields": "private final String ROOTS_PATH = \"/libs/cq/modernize/templatestructure/content/roots\";\nprivate static final String LAYOUT_VALUE = \"2;cq-colctrl-lt0\";\nprivate static final String[] COLUMN_WIDTHS = {\"6\", \"6\"};\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\nprivate BundleContext bundleContext;", "class_name": "ColumnControlRewriteRuleTest" }
{ "class_fields": "private static final Logger logger = LoggerFactory.getLogger(ColumnControlRewriteRule.class);\nprivate int ranking = Integer.MAX_VALUE;\nprivate static final String PROP_LAYOUT = \"layout\";\nprivate static final String PROP_CONTROL_TYPE = \"controlType\";\nprivate static final String CONTROL_TYPE_BREAK = \"break\";\nprivate static final String CONTROL_TYPE_END = \"end\";\nprivate static final String RESPONSIVE_GRID_NAME = \"responsivegrid\";\nprivate static final String DEFAULT_LAYOUT_NAME = \"default\";\nprivate static final String PROP_WIDTH = \"width\";\nprivate static final String PROP_OFFSET = \"offset\";\nprivate static final String PROP_RESOURCE_TYPE_DEFAULT = \"foundation/components/parsys/colctrl\";\n@Property(label = \"Column Control ResourceType\",\n description = \"The sling:resourceType of this column control, leave blank to use Foundation component. (some customers extend/create their own)\",\n value = PROP_RESOURCE_TYPE_DEFAULT)\n private static final String PROP_RESOURCE_TYPE= \"sling.resourceType\";\nprivate String resourceType = PROP_RESOURCE_TYPE_DEFAULT;\n@Property(label = \"Layout Property Value\",\n description = \"The value of the `layout` property on the primary column control component.\")\n private static final String PROP_LAYOUT_VALUE = \"layout.value\";\nprivate String layout;\n@Property(label = \"Column Widths\",\n description = \"An array of widths for each of the columns in target grid. (e.g. 50%/50% column control is [6,6] in target grid. 75%/25% => [8,4])\",\n cardinality = Integer.MAX_VALUE)\n private static final String PROP_COLUMN_WIDTHS = \"column.widths\";\nprivate long[] widths;", "class_name": "ColumnControlRewriteRule implements StructureRewriteRule", "method_signatures": "@Override public boolean matches(Node root)\n@Override public Node applyTo(Node root, Set<Node> finalNodes)\n@Activate protected void activate(ComponentContext context)\n@Override public int getRanking()" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRule.java for which to generate the test case is:\nclass_name: ColumnControlRewriteRule implements StructureRewriteRule\n\nclass_fields: private static final Logger logger = LoggerFactory.getLogger(ColumnControlRewriteRule.class);\nprivate int ranking = Integer.MAX_VALUE;\nprivate static final String PROP_LAYOUT = \"layout\";\nprivate static final String PROP_CONTROL_TYPE = \"controlType\";\nprivate static final String CONTROL_TYPE_BREAK = \"break\";\nprivate static final String CONTROL_TYPE_END = \"end\";\nprivate static final String RESPONSIVE_GRID_NAME = \"responsivegrid\";\nprivate static final String DEFAULT_LAYOUT_NAME = \"default\";\nprivate static final String PROP_WIDTH = \"width\";\nprivate static final String PROP_OFFSET = \"offset\";\nprivate static final String PROP_RESOURCE_TYPE_DEFAULT = \"foundation/components/parsys/colctrl\";\n@Property(label = \"Column Control ResourceType\",\n description = \"The sling:resourceType of this column control, leave blank to use Foundation component. (some customers extend/create their own)\",\n value = PROP_RESOURCE_TYPE_DEFAULT)\n private static final String PROP_RESOURCE_TYPE= \"sling.resourceType\";\nprivate String resourceType = PROP_RESOURCE_TYPE_DEFAULT;\n@Property(label = \"Layout Property Value\",\n description = \"The value of the `layout` property on the primary column control component.\")\n private static final String PROP_LAYOUT_VALUE = \"layout.value\";\nprivate String layout;\n@Property(label = \"Column Widths\",\n description = \"An array of widths for each of the columns in target grid. (e.g. 50%/50% column control is [6,6] in target grid. 75%/25% => [8,4])\",\n cardinality = Integer.MAX_VALUE)\n private static final String PROP_COLUMN_WIDTHS = \"column.widths\";\nprivate long[] widths;\n\nmethod_signatures: @Override public boolean matches(Node root)\n@Override public Node applyTo(Node root, Set<Node> finalNodes)\n@Activate protected void activate(ComponentContext context)\n@Override public int getRanking()\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: ColumnControlRewriteRuleTest\n\nclass_fields: private final String ROOTS_PATH = \"/libs/cq/modernize/templatestructure/content/roots\";\nprivate static final String LAYOUT_VALUE = \"2;cq-colctrl-lt0\";\nprivate static final String[] COLUMN_WIDTHS = {\"6\", \"6\"};\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\nprivate BundleContext bundleContext;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRule.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Activate\n protected void activate(ComponentContext context) throws RepositoryException, ConfigurationException {\n @SuppressWarnings(\"unchecked\")\n Dictionary<String, Object> props = context.getProperties();\n // read service ranking property\n Object ranking = props.get(\"service.ranking\");\n if (ranking != null) {\n try {\n this.ranking = (Integer) ranking;\n } catch (ClassCastException e) {\n // ignore\n logger.warn(\"Found invalid service.ranking value {}\", ranking);\n }\n }\n\n resourceType = PropertiesUtil.toString(props.get(PROP_RESOURCE_TYPE), PROP_RESOURCE_TYPE_DEFAULT);\n if (StringUtils.isBlank(resourceType)) {\n throw new ConfigurationException(PROP_RESOURCE_TYPE, \"Sling Resource Type is required.\");\n }\n\n layout = PropertiesUtil.toString(props.get(PROP_LAYOUT_VALUE), null);\n if (StringUtils.isBlank(layout)) {\n throw new ConfigurationException(PROP_LAYOUT_VALUE, \"Layout value property is required.\");\n }\n\n String[] widthsStrings = PropertiesUtil.toStringArray(props.get(PROP_COLUMN_WIDTHS), null);\n if (ArrayUtils.isEmpty(widthsStrings)) {\n throw new ConfigurationException(PROP_COLUMN_WIDTHS, \"Column width property is required.\");\n } else {\n widths = new long[widthsStrings.length];\n for (int i = 0; i < widthsStrings.length; i++) {\n try {\n widths[i] = Long.parseLong(widthsStrings[i]);\n } catch (NumberFormatException ex) {\n throw new ConfigurationException(PROP_COLUMN_WIDTHS, \"Column width values must be of type long.\");\n }\n }\n }\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRuleTest.java\n </TESTFILE7041>\n @Test(expected = RuntimeException.class)\n public void testActivateNoLayout() {\n BundleContext bundleContext = MockOsgi.newBundleContext();\n ColumnControlRewriteRule rule = new ColumnControlRewriteRule();\n MockOsgi.injectServices(rule, bundleContext);\n Dictionary<String, Object> props = new Hashtable<>();\n MockOsgi.activate(rule, bundleContext, props);\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/swp-uebersetzerbau-ss13/javabite
java
javabite-parser/src/main/java/swp_compiler_ss13/javabite/parser/grammar/SLRAutomaton.java
javabite-parser/src/test/java/swp_compiler_ss13/javabite/parser/grammar/SLRAutomatonTest.java
public List<Production<T, NT>> getDerivationASsSequence( Word<T, NT> word_total) { Stack<State> state_stack = new Stack<>(); Stack<Symbol> symbol_stack = new Stack<>(); state_stack.push(initialState); symbol_stack.push(g.word_end); List<Production<T, NT>> productions = new LinkedList<>(); Queue<T> word = new ArrayDeque<>(word_total); word.add(g.word_end); while (!state_stack.isEmpty()) { State state = state_stack.peek(); if (state.isStateAccepting()) break; Symbol a = word.peek(); if (g.isTerminal(a)) { T t = (T) a; State nextStateTrans = state.transition.get(t); Set<Production> nextProdFollow = possibleReductionsInState(t, state); if (nextStateTrans != null && !nextProdFollow.isEmpty() || nextStateTrans == null && nextProdFollow.isEmpty() || nextProdFollow.size() > 1) { if (nextStateTrans == null && nextProdFollow.isEmpty()){ logger.warn( "behaviour not defined, policy set to DIE. next state by shift: {}, next states by follow: {}", nextStateTrans, nextProdFollow); logger.warn("current terminal: {}", a); logger.warn("productions so far: {}", productions); logger.warn("state stack {}", state_stack); logger.warn("symbol stack {}", symbol_stack); logger.warn("word actual {}", word); logger.warn("word complete {}", word_total); logger.warn("states:"); //for (State st : states) { // logger.warn("\n{}", st.descriptionAsString()); //} throw new WordNotInLanguageGrammarException( (swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) t); } if (policy == AMBIGUITY_POLICY.DIE) { logger.warn( "behaviour not defined, policy set to DIE. next state by shift: {}, next states by follow: {}", nextStateTrans, nextProdFollow); logger.warn("current terminal: {}", a); logger.warn("productions so far: {}", productions); logger.warn("state stack {}", state_stack); logger.warn("symbol stack {}", symbol_stack); logger.warn("word actual {}", word); logger.warn("word complete {}", word_total); logger.warn("states:"); //for (State st : states) { // logger.warn("\n{}", st.descriptionAsString()); //} if (nextStateTrans != null && !nextProdFollow.isEmpty()) { if (t instanceof swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) { throw new AmbiguityInDerivationGrammarException( (swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) t); } else logger.warn("Dont know how to react..."); } else if (nextStateTrans == null && nextProdFollow.isEmpty()) { if (t instanceof swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) { throw new WordNotInLanguageGrammarException( (swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) t); } else logger.warn("Dont know how to react..."); } else if (nextProdFollow.size() > 1) { if (t instanceof swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) { throw new AmbiguityInDerivationGrammarException( (swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) t); } else logger.warn("Dont know how to react..."); } else { throw new RuntimeException( "Enexptected state reached"); } } else if (policy==AMBIGUITY_POLICY.PREFER_REDUCE){ if (nextProdFollow.size()==1){ // disable shift nextStateTrans=null; } else{ logger.error("policy PREFER_REDUCE is not applicable, because multiple or none (exact :{}) reductions are possible",nextProdFollow.size()); if (nextProdFollow.size()>1) throw new AmbiguityInDerivationGrammarException( (swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) t); } } else if (policy==AMBIGUITY_POLICY.PREFER_SHIFT){ logger.info("policy PREFER_SHIFT is applicable and used"); // diable of reduce not necessary nextProdFollow=null; } else{ throw new RuntimeException("Invalid Policy"); } } // do shift if possible if (nextStateTrans != null) { word.poll(); symbol_stack.push(a); state_stack.push(nextStateTrans); } else { // reduce Production todo = nextProdFollow.iterator().next(); List<Symbol> original_right_side = new LinkedList<>(); for (int i = todo.right.size() - 1; i >= 0; i--) { state_stack.pop(); original_right_side.add(symbol_stack.pop()); } Collections.reverse(original_right_side); State stateBeforeProduction = state_stack.peek(); State nextState = stateBeforeProduction.transition .get(todo.left); state_stack.push(nextState); symbol_stack.push(todo.left); todo.right = original_right_side; productions.add(todo); } } } return productions; }
getDerivationASsSequence
@Test public void testDerivationSequenceSimple(){ SLRAutomaton<SimpleT, SimpleNT> automaton=new SLRAutomaton<>(g1); Word<SimpleT,SimpleNT> original=new Word<SimpleT,SimpleNT>(g1, listTok(T_ID)); List<Production<SimpleT,SimpleNT>> productions=automaton.getDerivationASsSequence(original); Collections.reverse(productions); Word<SimpleT,SimpleNT> derivated=Word.getWordFromRightMostDerivation(g1, productions); assertEquals("must be the same",original,derivated); }
testDerivationSequenceSimple
[ "push", "push", "add", "isEmpty", "peek", "isStateAccepting", "peek", "isTerminal", "get", "possibleReductionsInState", "isEmpty", "isEmpty", "size", "isEmpty", "warn", "warn", "warn", "warn", "warn", "warn", "warn", "warn", "warn", "warn", "warn", "warn", "warn", "warn", "warn", "warn", "isEmpty", "warn", "isEmpty", "warn", "size", "warn", "size", "error", "size", "size", "info", "poll", "push", "push", "next", "iterator", "size", "pop", "add", "pop", "reverse", "peek", "get", "push", "push", "add" ]
[ "listTok", "getDerivationASsSequence", "reverse", "getWordFromRightMostDerivation", "assertEquals" ]
{ "class_fields": "SimpleT T_ADD=new SimpleT(\"+\");\nSimpleT T_MUL=new SimpleT(\"*\");\nSimpleT T_OPEN=new SimpleT(\"(\");\nSimpleT T_CLOSE=new SimpleT(\")\");\nSimpleT T_ID=new SimpleT(\"id\");\nSimpleT T_EOF=new SimpleT(\"$\");\nSimpleT T_EPSILON=new SimpleT(\"[eps]\");\nSimpleNT E=new SimpleNT(\"E\");\nSimpleNT T=new SimpleNT(\"T\");\nSimpleNT F=new SimpleNT(\"F\");\nSimpleNT E_=new SimpleNT(\"E'\");\nfinal Grammar<SimpleT,SimpleNT> g1=new Grammar<>(E,E_,T_EOF,T_EPSILON);\nfinal Grammar<SimpleT,SimpleNT> g2=new Grammar<>(E,E_,T_EOF,T_EPSILON);", "class_name": "SLRAutomatonTest" }
{ "class_fields": "Integer state_num = 0;\nGrammar<T, NT> g;\nState initialState;\nfinal Set<State> states = new HashSet<>();\nfinal State acceptState = new State();\nAMBIGUITY_POLICY policy = AMBIGUITY_POLICY.DIE;\nLogger logger = LoggerFactory.getLogger(this.getClass());", "class_name": "SLRAutomaton", "method_signatures": "public SLRAutomaton(Grammar<T, NT> referenceGrammar)\npublic void setAmbiguityPolicy(AMBIGUITY_POLICY policy)\nprivate State getStateFor(Map<NT, Set<Item<T, NT>>> kernel)\nprivate int getAllStateItems()\nprivate void build()\npublic List<Production<T, NT>> getDerivationASsSequence(\n\t\t\tWord<T, NT> word_total)\nprivate Set<Production> possibleReductionsInState(T t, State st)\npublic int getNStates()" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: javabite-parser/src/main/java/swp_compiler_ss13/javabite/parser/grammar/SLRAutomaton.java for which to generate the test case is:\nclass_name: SLRAutomaton\n\nclass_fields: Integer state_num = 0;\nGrammar<T, NT> g;\nState initialState;\nfinal Set<State> states = new HashSet<>();\nfinal State acceptState = new State();\nAMBIGUITY_POLICY policy = AMBIGUITY_POLICY.DIE;\nLogger logger = LoggerFactory.getLogger(this.getClass());\n\nmethod_signatures: public SLRAutomaton(Grammar<T, NT> referenceGrammar)\npublic void setAmbiguityPolicy(AMBIGUITY_POLICY policy)\nprivate State getStateFor(Map<NT, Set<Item<T, NT>>> kernel)\nprivate int getAllStateItems()\nprivate void build()\npublic List<Production<T, NT>> getDerivationASsSequence(\n\t\t\tWord<T, NT> word_total)\nprivate Set<Production> possibleReductionsInState(T t, State st)\npublic int getNStates()\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: SLRAutomatonTest\n\nclass_fields: SimpleT T_ADD=new SimpleT(\"+\");\nSimpleT T_MUL=new SimpleT(\"*\");\nSimpleT T_OPEN=new SimpleT(\"(\");\nSimpleT T_CLOSE=new SimpleT(\")\");\nSimpleT T_ID=new SimpleT(\"id\");\nSimpleT T_EOF=new SimpleT(\"$\");\nSimpleT T_EPSILON=new SimpleT(\"[eps]\");\nSimpleNT E=new SimpleNT(\"E\");\nSimpleNT T=new SimpleNT(\"T\");\nSimpleNT F=new SimpleNT(\"F\");\nSimpleNT E_=new SimpleNT(\"E'\");\nfinal Grammar<SimpleT,SimpleNT> g1=new Grammar<>(E,E_,T_EOF,T_EPSILON);\nfinal Grammar<SimpleT,SimpleNT> g2=new Grammar<>(E,E_,T_EOF,T_EPSILON);\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file javabite-parser/src/main/java/swp_compiler_ss13/javabite/parser/grammar/SLRAutomaton.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public List<Production<T, NT>> getDerivationASsSequence(\n\t\t\tWord<T, NT> word_total) {\n\n\t\tStack<State> state_stack = new Stack<>();\n\t\tStack<Symbol> symbol_stack = new Stack<>();\n\t\tstate_stack.push(initialState);\n\t\tsymbol_stack.push(g.word_end);\n\n\t\tList<Production<T, NT>> productions = new LinkedList<>();\n\t\tQueue<T> word = new ArrayDeque<>(word_total);\n\t\tword.add(g.word_end);\n\t\twhile (!state_stack.isEmpty()) {\n\t\t\tState state = state_stack.peek();\n\t\t\tif (state.isStateAccepting())\n\t\t\t\tbreak;\n\n\t\t\tSymbol a = word.peek();\n\t\t\tif (g.isTerminal(a)) {\n\t\t\t\tT t = (T) a;\n\t\t\t\tState nextStateTrans = state.transition.get(t);\n\t\t\t\tSet<Production> nextProdFollow = possibleReductionsInState(t,\n\t\t\t\t\t\tstate);\n\t\t\t\tif (nextStateTrans != null && !nextProdFollow.isEmpty()\n\t\t\t\t\t\t|| nextStateTrans == null && nextProdFollow.isEmpty()\n\t\t\t\t\t\t|| nextProdFollow.size() > 1) {\n\t\t\t\t\t\n\t\t\t\t\tif (nextStateTrans == null && nextProdFollow.isEmpty()){\n\t\t\t\t\t\tlogger.warn(\n\t\t\t\t\t\t\t\t\"behaviour not defined, policy set to DIE. next state by shift: {}, next states by follow: {}\",\n\t\t\t\t\t\t\t\tnextStateTrans, nextProdFollow);\n\t\t\t\t\t\tlogger.warn(\"current terminal: {}\", a);\n\t\t\t\t\t\tlogger.warn(\"productions so far: {}\", productions);\n\t\t\t\t\t\tlogger.warn(\"state stack {}\", state_stack);\n\t\t\t\t\t\tlogger.warn(\"symbol stack {}\", symbol_stack);\n\t\t\t\t\t\tlogger.warn(\"word actual {}\", word);\n\t\t\t\t\t\tlogger.warn(\"word complete {}\", word_total);\n\t\t\t\t\t\tlogger.warn(\"states:\");\n\t\t\t\t\t\t//for (State st : states) {\n\t\t\t\t\t\t//\tlogger.warn(\"\\n{}\", st.descriptionAsString());\n\t\t\t\t\t\t//}\n\t\t\t\t\t\tthrow new WordNotInLanguageGrammarException(\n\t\t\t\t\t\t\t\t(swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) t);\n\t\t\t\t\t}\n\t\t\t\t\t\n\t\t\t\t\tif (policy == AMBIGUITY_POLICY.DIE) {\n\t\t\t\t\t\tlogger.warn(\n\t\t\t\t\t\t\t\t\"behaviour not defined, policy set to DIE. next state by shift: {}, next states by follow: {}\",\n\t\t\t\t\t\t\t\tnextStateTrans, nextProdFollow);\n\t\t\t\t\t\tlogger.warn(\"current terminal: {}\", a);\n\t\t\t\t\t\tlogger.warn(\"productions so far: {}\", productions);\n\t\t\t\t\t\tlogger.warn(\"state stack {}\", state_stack);\n\t\t\t\t\t\tlogger.warn(\"symbol stack {}\", symbol_stack);\n\t\t\t\t\t\tlogger.warn(\"word actual {}\", word);\n\t\t\t\t\t\tlogger.warn(\"word complete {}\", word_total);\n\t\t\t\t\t\tlogger.warn(\"states:\");\n\t\t\t\t\t\t//for (State st : states) {\n\t\t\t\t\t\t//\tlogger.warn(\"\\n{}\", st.descriptionAsString());\n\t\t\t\t\t\t//}\n\n\t\t\t\t\t\tif (nextStateTrans != null && !nextProdFollow.isEmpty()) {\n\t\t\t\t\t\t\tif (t instanceof swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) {\n\t\t\t\t\t\t\t\tthrow new AmbiguityInDerivationGrammarException(\n\t\t\t\t\t\t\t\t\t\t(swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) t);\n\t\t\t\t\t\t\t} else\n\t\t\t\t\t\t\t\tlogger.warn(\"Dont know how to react...\");\n\t\t\t\t\t\t} else if (nextStateTrans == null\n\t\t\t\t\t\t\t\t&& nextProdFollow.isEmpty()) {\n\t\t\t\t\t\t\tif (t instanceof swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) {\n\t\t\t\t\t\t\t\tthrow new WordNotInLanguageGrammarException(\n\t\t\t\t\t\t\t\t\t\t(swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) t);\n\t\t\t\t\t\t\t} else\n\t\t\t\t\t\t\t\tlogger.warn(\"Dont know how to react...\");\n\t\t\t\t\t\t} else if (nextProdFollow.size() > 1) {\n\t\t\t\t\t\t\tif (t instanceof swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) {\n\t\t\t\t\t\t\t\tthrow new AmbiguityInDerivationGrammarException(\n\t\t\t\t\t\t\t\t\t\t(swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) t);\n\t\t\t\t\t\t\t} else\n\t\t\t\t\t\t\t\tlogger.warn(\"Dont know how to react...\");\n\t\t\t\t\t\t} else {\n\t\t\t\t\t\t\tthrow new RuntimeException(\n\t\t\t\t\t\t\t\t\t\"Enexptected state reached\");\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t\telse if (policy==AMBIGUITY_POLICY.PREFER_REDUCE){\n\t\t\t\t\t\tif (nextProdFollow.size()==1){\n\t\t\t\t\t\t\t// disable shift\n\t\t\t\t\t\t\tnextStateTrans=null;\n\t\t\t\t\t\t}\n\t\t\t\t\t\telse{\n\t\t\t\t\t\t\tlogger.error(\"policy PREFER_REDUCE is not applicable, because multiple or none (exact :{}) reductions are possible\",nextProdFollow.size());\n\t\t\t\t\t\t\tif (nextProdFollow.size()>1)\n\t\t\t\t\t\t\t\tthrow new AmbiguityInDerivationGrammarException(\n\t\t\t\t\t\t\t\t\t\t(swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) t);\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t\telse if (policy==AMBIGUITY_POLICY.PREFER_SHIFT){\n\t\t\t\t\t\tlogger.info(\"policy PREFER_SHIFT is applicable and used\");\n\t\t\t\t\t\t// diable of reduce not necessary\n\t\t\t\t\t\tnextProdFollow=null;\n\t\t\t\t\t}\n\t\t\t\t\telse{\n\t\t\t\t\t\tthrow new RuntimeException(\"Invalid Policy\");\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t\t// do shift if possible\n\t\t\t\tif (nextStateTrans != null) {\n\t\t\t\t\tword.poll();\n\t\t\t\t\tsymbol_stack.push(a);\n\t\t\t\t\tstate_stack.push(nextStateTrans);\n\t\t\t\t} else {\n\t\t\t\t\t// reduce\n\t\t\t\t\tProduction todo = nextProdFollow.iterator().next();\n\t\t\t\t\tList<Symbol> original_right_side = new LinkedList<>();\n\t\t\t\t\tfor (int i = todo.right.size() - 1; i >= 0; i--) {\n\t\t\t\t\t\tstate_stack.pop();\n\t\t\t\t\t\toriginal_right_side.add(symbol_stack.pop());\n\t\t\t\t\t}\n\t\t\t\t\tCollections.reverse(original_right_side);\n\t\t\t\t\tState stateBeforeProduction = state_stack.peek();\n\t\t\t\t\tState nextState = stateBeforeProduction.transition\n\t\t\t\t\t\t\t.get(todo.left);\n\t\t\t\t\t\n\t\t\t\t\tstate_stack.push(nextState);\n\t\t\t\t\tsymbol_stack.push(todo.left);\n\t\t\t\t\ttodo.right = original_right_side;\n\t\t\t\t\tproductions.add(todo);\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t\treturn productions;\n\t}\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n javabite-parser/src/test/java/swp_compiler_ss13/javabite/parser/grammar/SLRAutomatonTest.java\n </TESTFILE7041>\n @Test\n\tpublic void testDerivationSequenceSimple(){\n\t\tSLRAutomaton<SimpleT, SimpleNT> automaton=new SLRAutomaton<>(g1);\n\t\t\n\t\tWord<SimpleT,SimpleNT> original=new Word<SimpleT,SimpleNT>(g1, listTok(T_ID));\n\t\tList<Production<SimpleT,SimpleNT>> productions=automaton.getDerivationASsSequence(original);\n\t\tCollections.reverse(productions);\n\t\tWord<SimpleT,SimpleNT> derivated=Word.getWordFromRightMostDerivation(g1, productions); \n\t\tassertEquals(\"must be the same\",original,derivated);\n\t}\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/adobe/aem-modernize-tools
java
bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRule.java
bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRuleTest.java
@Override public boolean matches(Node root) throws RepositoryException { if (!root.hasProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY)) { return false; } javax.jcr.Property prop = root.getProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY); if (!StringUtils.equals(resourceType, prop.getString())) { return false; } if (!root.hasProperty(PROP_LAYOUT)) { return false; } prop = root.getProperty(PROP_LAYOUT); if (!StringUtils.equals(layout, prop.getString())) { return false; } // Check Column breaks Node parent = root.getParent(); NodeIterator siblings = parent.getNodes(); while (siblings.hasNext()) { Node sibling = siblings.nextNode(); if (sibling.getName().equals(root.getName())) { break; } } // From here, find the column breaks. int count = widths.length; while (siblings.hasNext()) { Node sibling = siblings.nextNode(); if (sibling.hasProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY) && StringUtils.equals( sibling.getProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY).getString(), resourceType)) { // If it has a layout, then it's a new column control, // This shouldn't ever happen, but who knows. if (sibling.hasProperty(PROP_LAYOUT) && count != 0) { return false; // If we hit a break or end control, reduce the number of columns } else if (sibling.hasProperty(PROP_CONTROL_TYPE) && (StringUtils.equals(sibling.getProperty(PROP_CONTROL_TYPE).getString(), CONTROL_TYPE_BREAK) || StringUtils.equals(sibling.getProperty(PROP_CONTROL_TYPE).getString(), CONTROL_TYPE_END))) { count--; // If we hit the end, then break out of the loop, as we're done counting columns if (StringUtils.equals(sibling.getProperty(PROP_CONTROL_TYPE).getString(), CONTROL_TYPE_END)) { break; } } } } return count == 0; }
matches
@Test public void testMatches() throws Exception { Node rootNode = context.resourceResolver().getResource(ROOTS_PATH + "/matches/jcr:content/par/colctrl").adaptTo(Node.class); ServiceReference ref = bundleContext.getServiceReference(StructureRewriteRule.class.getName()); StructureRewriteRule rule = bundleContext.<StructureRewriteRule>getService(ref); assertTrue(rule.matches(rootNode)); }
testMatches
[ "hasProperty", "getProperty", "equals", "getString", "hasProperty", "getProperty", "equals", "getString", "getParent", "getNodes", "hasNext", "nextNode", "equals", "getName", "getName", "hasNext", "nextNode", "hasProperty", "equals", "getString", "getProperty", "hasProperty", "hasProperty", "equals", "getString", "getProperty", "equals", "getString", "getProperty", "equals", "getString", "getProperty" ]
[ "adaptTo", "getResource", "resourceResolver", "getServiceReference", "getName", "getService", "assertTrue", "matches" ]
{ "class_fields": "private final String ROOTS_PATH = \"/libs/cq/modernize/templatestructure/content/roots\";\nprivate static final String LAYOUT_VALUE = \"2;cq-colctrl-lt0\";\nprivate static final String[] COLUMN_WIDTHS = {\"6\", \"6\"};\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\nprivate BundleContext bundleContext;", "class_name": "ColumnControlRewriteRuleTest" }
{ "class_fields": "private static final Logger logger = LoggerFactory.getLogger(ColumnControlRewriteRule.class);\nprivate int ranking = Integer.MAX_VALUE;\nprivate static final String PROP_LAYOUT = \"layout\";\nprivate static final String PROP_CONTROL_TYPE = \"controlType\";\nprivate static final String CONTROL_TYPE_BREAK = \"break\";\nprivate static final String CONTROL_TYPE_END = \"end\";\nprivate static final String RESPONSIVE_GRID_NAME = \"responsivegrid\";\nprivate static final String DEFAULT_LAYOUT_NAME = \"default\";\nprivate static final String PROP_WIDTH = \"width\";\nprivate static final String PROP_OFFSET = \"offset\";\nprivate static final String PROP_RESOURCE_TYPE_DEFAULT = \"foundation/components/parsys/colctrl\";\n@Property(label = \"Column Control ResourceType\",\n description = \"The sling:resourceType of this column control, leave blank to use Foundation component. (some customers extend/create their own)\",\n value = PROP_RESOURCE_TYPE_DEFAULT)\n private static final String PROP_RESOURCE_TYPE= \"sling.resourceType\";\nprivate String resourceType = PROP_RESOURCE_TYPE_DEFAULT;\n@Property(label = \"Layout Property Value\",\n description = \"The value of the `layout` property on the primary column control component.\")\n private static final String PROP_LAYOUT_VALUE = \"layout.value\";\nprivate String layout;\n@Property(label = \"Column Widths\",\n description = \"An array of widths for each of the columns in target grid. (e.g. 50%/50% column control is [6,6] in target grid. 75%/25% => [8,4])\",\n cardinality = Integer.MAX_VALUE)\n private static final String PROP_COLUMN_WIDTHS = \"column.widths\";\nprivate long[] widths;", "class_name": "ColumnControlRewriteRule implements StructureRewriteRule", "method_signatures": "@Override public boolean matches(Node root)\n@Override public Node applyTo(Node root, Set<Node> finalNodes)\n@Activate protected void activate(ComponentContext context)\n@Override public int getRanking()" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRule.java for which to generate the test case is:\nclass_name: ColumnControlRewriteRule implements StructureRewriteRule\n\nclass_fields: private static final Logger logger = LoggerFactory.getLogger(ColumnControlRewriteRule.class);\nprivate int ranking = Integer.MAX_VALUE;\nprivate static final String PROP_LAYOUT = \"layout\";\nprivate static final String PROP_CONTROL_TYPE = \"controlType\";\nprivate static final String CONTROL_TYPE_BREAK = \"break\";\nprivate static final String CONTROL_TYPE_END = \"end\";\nprivate static final String RESPONSIVE_GRID_NAME = \"responsivegrid\";\nprivate static final String DEFAULT_LAYOUT_NAME = \"default\";\nprivate static final String PROP_WIDTH = \"width\";\nprivate static final String PROP_OFFSET = \"offset\";\nprivate static final String PROP_RESOURCE_TYPE_DEFAULT = \"foundation/components/parsys/colctrl\";\n@Property(label = \"Column Control ResourceType\",\n description = \"The sling:resourceType of this column control, leave blank to use Foundation component. (some customers extend/create their own)\",\n value = PROP_RESOURCE_TYPE_DEFAULT)\n private static final String PROP_RESOURCE_TYPE= \"sling.resourceType\";\nprivate String resourceType = PROP_RESOURCE_TYPE_DEFAULT;\n@Property(label = \"Layout Property Value\",\n description = \"The value of the `layout` property on the primary column control component.\")\n private static final String PROP_LAYOUT_VALUE = \"layout.value\";\nprivate String layout;\n@Property(label = \"Column Widths\",\n description = \"An array of widths for each of the columns in target grid. (e.g. 50%/50% column control is [6,6] in target grid. 75%/25% => [8,4])\",\n cardinality = Integer.MAX_VALUE)\n private static final String PROP_COLUMN_WIDTHS = \"column.widths\";\nprivate long[] widths;\n\nmethod_signatures: @Override public boolean matches(Node root)\n@Override public Node applyTo(Node root, Set<Node> finalNodes)\n@Activate protected void activate(ComponentContext context)\n@Override public int getRanking()\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: ColumnControlRewriteRuleTest\n\nclass_fields: private final String ROOTS_PATH = \"/libs/cq/modernize/templatestructure/content/roots\";\nprivate static final String LAYOUT_VALUE = \"2;cq-colctrl-lt0\";\nprivate static final String[] COLUMN_WIDTHS = {\"6\", \"6\"};\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\nprivate BundleContext bundleContext;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRule.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public boolean matches(Node root) throws RepositoryException {\n if (!root.hasProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY)) {\n return false;\n }\n javax.jcr.Property prop = root.getProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY);\n if (!StringUtils.equals(resourceType, prop.getString())) {\n return false;\n }\n\n if (!root.hasProperty(PROP_LAYOUT)) {\n return false;\n }\n prop = root.getProperty(PROP_LAYOUT);\n if (!StringUtils.equals(layout, prop.getString())) {\n return false;\n }\n\n // Check Column breaks\n Node parent = root.getParent();\n NodeIterator siblings = parent.getNodes();\n while (siblings.hasNext()) {\n Node sibling = siblings.nextNode();\n if (sibling.getName().equals(root.getName())) {\n break;\n }\n }\n\n // From here, find the column breaks.\n int count = widths.length;\n while (siblings.hasNext()) {\n Node sibling = siblings.nextNode();\n if (sibling.hasProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY) &&\n StringUtils.equals(\n sibling.getProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY).getString(),\n resourceType)) {\n\n // If it has a layout, then it's a new column control,\n // This shouldn't ever happen, but who knows.\n if (sibling.hasProperty(PROP_LAYOUT) && count != 0) {\n return false;\n\n // If we hit a break or end control, reduce the number of columns\n } else if (sibling.hasProperty(PROP_CONTROL_TYPE) &&\n (StringUtils.equals(sibling.getProperty(PROP_CONTROL_TYPE).getString(), CONTROL_TYPE_BREAK)\n || StringUtils.equals(sibling.getProperty(PROP_CONTROL_TYPE).getString(), CONTROL_TYPE_END))) {\n count--;\n\n // If we hit the end, then break out of the loop, as we're done counting columns\n if (StringUtils.equals(sibling.getProperty(PROP_CONTROL_TYPE).getString(), CONTROL_TYPE_END)) {\n break;\n }\n }\n }\n }\n return count == 0;\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRuleTest.java\n </TESTFILE7041>\n @Test\n public void testMatches() throws Exception {\n\n Node rootNode = context.resourceResolver().getResource(ROOTS_PATH + \"/matches/jcr:content/par/colctrl\").adaptTo(Node.class);\n\n ServiceReference ref = bundleContext.getServiceReference(StructureRewriteRule.class.getName());\n StructureRewriteRule rule = bundleContext.<StructureRewriteRule>getService(ref);\n\n assertTrue(rule.matches(rootNode));\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/CodeQInvest/codeq-invest
java
web-ui/src/main/java/org/codeqinvest/web/investment/roi/RoiDistributionFilter.java
web-ui/src/test/java/org/codeqinvest/web/investment/roi/RoiDistributionFilterTest.java
Collection<RoiDistribution> filterHighestRoi(Collection<RoiDistribution> roiDistributions, int numberOfBestElements) { Map<Integer, RoiDistribution> filteredRoiDistributionsByInvest = Maps.newHashMap(); for (RoiDistribution distribution : roiDistributions) { filteredRoiDistributionsByInvest.put(distribution.getInvestInMinutes(), new RoiDistribution(distribution.getInvestInMinutes(), new HashMap<String, Integer>())); } for (String artefact : findArtefactsWithHighestRoi(roiDistributions, numberOfBestElements)) { for (RoiDistribution distribution : roiDistributions) { Integer roi = distribution.getRoiByArtefact().get(artefact); filteredRoiDistributionsByInvest.get(distribution.getInvestInMinutes()).getRoiByArtefact().put(artefact, roi); } } return filteredRoiDistributionsByInvest.values(); }
filterHighestRoi
@Test public void notFailWhenNumberOfArtefactsToFilterIsBiggerThanActualArtefacts() { Map<String, Integer> roiByArtefact = Maps.newHashMap(); roiByArtefact.put("A", 10); List<RoiDistribution> roiDistribution = Arrays.asList(new RoiDistribution(0, roiByArtefact)); assertThat(roiDistributionFilter.filterHighestRoi(roiDistribution, 2).iterator().next().getRoiByArtefact().keySet()).containsOnly("A"); }
notFailWhenNumberOfArtefactsToFilterIsBiggerThanActualArtefacts
[ "newHashMap", "put", "getInvestInMinutes", "getInvestInMinutes", "findArtefactsWithHighestRoi", "get", "getRoiByArtefact", "put", "getRoiByArtefact", "get", "getInvestInMinutes", "values" ]
[ "newHashMap", "put", "asList", "containsOnly", "assertThat", "keySet", "getRoiByArtefact", "next", "iterator", "filterHighestRoi" ]
{ "class_fields": "private RoiDistributionFilter roiDistributionFilter;", "class_name": "RoiDistributionFilterTest" }
{ "class_fields": "", "class_name": "RoiDistributionFilter", "method_signatures": "Collection<RoiDistribution> filterHighestRoi(Collection<RoiDistribution> roiDistributions, int numberOfBestElements)\nprivate Set<String> findArtefactsWithHighestRoi(Collection<RoiDistribution> roiDistributions, int numberOfArtefactsToFilter)\nprivate int numberOfArtefacts(Collection<RoiDistribution> roiDistributions)\nprivate List<String> orderDescendingByRoi(final RoiDistribution roiDistribution)\nprivate List<RoiDistribution> orderAscendingByInvest(Collection<RoiDistribution> roiDistributions)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: web-ui/src/main/java/org/codeqinvest/web/investment/roi/RoiDistributionFilter.java for which to generate the test case is:\nclass_name: RoiDistributionFilter\n\nclass_fields: \n\nmethod_signatures: Collection<RoiDistribution> filterHighestRoi(Collection<RoiDistribution> roiDistributions, int numberOfBestElements)\nprivate Set<String> findArtefactsWithHighestRoi(Collection<RoiDistribution> roiDistributions, int numberOfArtefactsToFilter)\nprivate int numberOfArtefacts(Collection<RoiDistribution> roiDistributions)\nprivate List<String> orderDescendingByRoi(final RoiDistribution roiDistribution)\nprivate List<RoiDistribution> orderAscendingByInvest(Collection<RoiDistribution> roiDistributions)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: RoiDistributionFilterTest\n\nclass_fields: private RoiDistributionFilter roiDistributionFilter;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file web-ui/src/main/java/org/codeqinvest/web/investment/roi/RoiDistributionFilter.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n Collection<RoiDistribution> filterHighestRoi(Collection<RoiDistribution> roiDistributions, int numberOfBestElements) {\n Map<Integer, RoiDistribution> filteredRoiDistributionsByInvest = Maps.newHashMap();\n for (RoiDistribution distribution : roiDistributions) {\n filteredRoiDistributionsByInvest.put(distribution.getInvestInMinutes(),\n new RoiDistribution(distribution.getInvestInMinutes(), new HashMap<String, Integer>()));\n }\n\n for (String artefact : findArtefactsWithHighestRoi(roiDistributions, numberOfBestElements)) {\n for (RoiDistribution distribution : roiDistributions) {\n Integer roi = distribution.getRoiByArtefact().get(artefact);\n filteredRoiDistributionsByInvest.get(distribution.getInvestInMinutes()).getRoiByArtefact().put(artefact, roi);\n }\n }\n return filteredRoiDistributionsByInvest.values();\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n web-ui/src/test/java/org/codeqinvest/web/investment/roi/RoiDistributionFilterTest.java\n </TESTFILE7041>\n @Test\n public void notFailWhenNumberOfArtefactsToFilterIsBiggerThanActualArtefacts() {\n Map<String, Integer> roiByArtefact = Maps.newHashMap();\n roiByArtefact.put(\"A\", 10);\n List<RoiDistribution> roiDistribution = Arrays.asList(new RoiDistribution(0, roiByArtefact));\n assertThat(roiDistributionFilter.filterHighestRoi(roiDistribution, 2).iterator().next().getRoiByArtefact().keySet()).containsOnly(\"A\");\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/adobe/aem-modernize-tools
java
bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/dialog/DialogRewriteUtils.java
bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/dialog/DialogRewriteUtilsTest.java
public static boolean isDesignDialog(Node node) throws RepositoryException { if (node == null) { return false; } String name = node.getName(); return name.equals(NameConstants.NN_DESIGN_DIALOG) || name.equals(NN_CQ_DESIGN_DIALOG) || name.equals(NN_CQ_DESIGN_DIALOG + CORAL_2_BACKUP_SUFFIX); }
isDesignDialog
@Test public void testIsDesignDialog() throws Exception { boolean allDesignDialogs = false; String[] designDialogPaths = { DIALOGS_ROOT + "/classic/design_dialog", DIALOGS_ROOT + "/coral2/cq:design_dialog", DIALOGS_ROOT + "/backupsnoreplacementdiscarded/cq:design_dialog.coral2", DIALOGS_ROOT + "/level1/classicandcoral2/design_dialog", DIALOGS_ROOT + "/level1/classicandcoral2/cq:design_dialog" }; for (String path: designDialogPaths) { Resource resource = context.resourceResolver().getResource(path); Node node = resource.adaptTo(Node.class); allDesignDialogs = DialogRewriteUtils.isDesignDialog(node); if (!allDesignDialogs) { break; } } assertTrue(allDesignDialogs); }
testIsDesignDialog
[ "getName", "equals", "equals", "equals" ]
[ "getResource", "resourceResolver", "adaptTo", "isDesignDialog", "assertTrue" ]
{ "class_fields": "private static final String DIALOGS_ROOT = \"/libs/cq/dialogconversion/content/dialogs\";\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_MOCK);", "class_name": "DialogRewriteUtilsTest" }
{ "class_fields": "public static final String CORAL_2_BACKUP_SUFFIX = \".coral2\";\npublic static final String NT_DIALOG = \"cq:Dialog\";\npublic static final String NN_CQ_DIALOG = \"cq:dialog\";\npublic static final String NN_CQ_DESIGN_DIALOG = \"cq:design_dialog\";\npublic static final String DIALOG_CONTENT_RESOURCETYPE_PREFIX_CORAL3 = \"granite/ui/components/coral/foundation\";\nprivate static final String[] CLASSIC_DIALOG_NAMES = {NameConstants.NN_DIALOG, NameConstants.NN_DESIGN_DIALOG};\nprivate static final String[] DIALOG_NAMES = {NN_CQ_DIALOG, NN_CQ_DESIGN_DIALOG, NN_CQ_DIALOG + CORAL_2_BACKUP_SUFFIX, NN_CQ_DESIGN_DIALOG + CORAL_2_BACKUP_SUFFIX};", "class_name": "DialogRewriteUtils", "method_signatures": "public static boolean hasXtype(Node node, String xtype)\npublic static boolean hasType(Node node, String type)\npublic static Property copyProperty(Node source, String relPropertyPath, Node destination, String name)\npublic static DialogType getDialogType(Node node)\npublic static boolean isDesignDialog(Node node)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/dialog/DialogRewriteUtils.java for which to generate the test case is:\nclass_name: DialogRewriteUtils\n\nclass_fields: public static final String CORAL_2_BACKUP_SUFFIX = \".coral2\";\npublic static final String NT_DIALOG = \"cq:Dialog\";\npublic static final String NN_CQ_DIALOG = \"cq:dialog\";\npublic static final String NN_CQ_DESIGN_DIALOG = \"cq:design_dialog\";\npublic static final String DIALOG_CONTENT_RESOURCETYPE_PREFIX_CORAL3 = \"granite/ui/components/coral/foundation\";\nprivate static final String[] CLASSIC_DIALOG_NAMES = {NameConstants.NN_DIALOG, NameConstants.NN_DESIGN_DIALOG};\nprivate static final String[] DIALOG_NAMES = {NN_CQ_DIALOG, NN_CQ_DESIGN_DIALOG, NN_CQ_DIALOG + CORAL_2_BACKUP_SUFFIX, NN_CQ_DESIGN_DIALOG + CORAL_2_BACKUP_SUFFIX};\n\nmethod_signatures: public static boolean hasXtype(Node node, String xtype)\npublic static boolean hasType(Node node, String type)\npublic static Property copyProperty(Node source, String relPropertyPath, Node destination, String name)\npublic static DialogType getDialogType(Node node)\npublic static boolean isDesignDialog(Node node)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: DialogRewriteUtilsTest\n\nclass_fields: private static final String DIALOGS_ROOT = \"/libs/cq/dialogconversion/content/dialogs\";\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_MOCK);\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/dialog/DialogRewriteUtils.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public static boolean isDesignDialog(Node node) throws RepositoryException {\n if (node == null) {\n return false;\n }\n\n String name = node.getName();\n\n return name.equals(NameConstants.NN_DESIGN_DIALOG) || name.equals(NN_CQ_DESIGN_DIALOG) || name.equals(NN_CQ_DESIGN_DIALOG + CORAL_2_BACKUP_SUFFIX);\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/dialog/DialogRewriteUtilsTest.java\n </TESTFILE7041>\n @Test\n public void testIsDesignDialog() throws Exception {\n boolean allDesignDialogs = false;\n\n String[] designDialogPaths = {\n DIALOGS_ROOT + \"/classic/design_dialog\",\n DIALOGS_ROOT + \"/coral2/cq:design_dialog\",\n DIALOGS_ROOT + \"/backupsnoreplacementdiscarded/cq:design_dialog.coral2\",\n DIALOGS_ROOT + \"/level1/classicandcoral2/design_dialog\",\n DIALOGS_ROOT + \"/level1/classicandcoral2/cq:design_dialog\"\n };\n\n for (String path: designDialogPaths) {\n Resource resource = context.resourceResolver().getResource(path);\n Node node = resource.adaptTo(Node.class);\n allDesignDialogs = DialogRewriteUtils.isDesignDialog(node);\n if (!allDesignDialogs) {\n break;\n }\n }\n\n assertTrue(allDesignDialogs);\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/adobe/aem-modernize-tools
java
bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRule.java
bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRuleTest.java
@Activate protected void activate(ComponentContext context) throws RepositoryException, ConfigurationException { @SuppressWarnings("unchecked") Dictionary<String, Object> props = context.getProperties(); // read service ranking property Object ranking = props.get("service.ranking"); if (ranking != null) { try { this.ranking = (Integer) ranking; } catch (ClassCastException e) { // ignore logger.warn("Found invalid service.ranking value {}", ranking); } } resourceType = PropertiesUtil.toString(props.get(PROP_RESOURCE_TYPE), PROP_RESOURCE_TYPE_DEFAULT); if (StringUtils.isBlank(resourceType)) { throw new ConfigurationException(PROP_RESOURCE_TYPE, "Sling Resource Type is required."); } layout = PropertiesUtil.toString(props.get(PROP_LAYOUT_VALUE), null); if (StringUtils.isBlank(layout)) { throw new ConfigurationException(PROP_LAYOUT_VALUE, "Layout value property is required."); } String[] widthsStrings = PropertiesUtil.toStringArray(props.get(PROP_COLUMN_WIDTHS), null); if (ArrayUtils.isEmpty(widthsStrings)) { throw new ConfigurationException(PROP_COLUMN_WIDTHS, "Column width property is required."); } else { widths = new long[widthsStrings.length]; for (int i = 0; i < widthsStrings.length; i++) { try { widths[i] = Long.parseLong(widthsStrings[i]); } catch (NumberFormatException ex) { throw new ConfigurationException(PROP_COLUMN_WIDTHS, "Column width values must be of type long."); } } } }
activate
@Test public void testActivateBlankResourceType() { BundleContext bundleContext = MockOsgi.newBundleContext(); ColumnControlRewriteRule rule = new ColumnControlRewriteRule(); MockOsgi.injectServices(rule, bundleContext); Dictionary<String, Object> props = new Hashtable<>(); props.put("layout.value", LAYOUT_VALUE); props.put("column.widths", COLUMN_WIDTHS); MockOsgi.activate(rule, bundleContext, props); }
testActivateBlankResourceType
[ "getProperties", "get", "warn", "toString", "get", "isBlank", "toString", "get", "isBlank", "toStringArray", "get", "isEmpty", "parseLong" ]
[ "newBundleContext", "injectServices", "put", "put", "activate" ]
{ "class_fields": "private final String ROOTS_PATH = \"/libs/cq/modernize/templatestructure/content/roots\";\nprivate static final String LAYOUT_VALUE = \"2;cq-colctrl-lt0\";\nprivate static final String[] COLUMN_WIDTHS = {\"6\", \"6\"};\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\nprivate BundleContext bundleContext;", "class_name": "ColumnControlRewriteRuleTest" }
{ "class_fields": "private static final Logger logger = LoggerFactory.getLogger(ColumnControlRewriteRule.class);\nprivate int ranking = Integer.MAX_VALUE;\nprivate static final String PROP_LAYOUT = \"layout\";\nprivate static final String PROP_CONTROL_TYPE = \"controlType\";\nprivate static final String CONTROL_TYPE_BREAK = \"break\";\nprivate static final String CONTROL_TYPE_END = \"end\";\nprivate static final String RESPONSIVE_GRID_NAME = \"responsivegrid\";\nprivate static final String DEFAULT_LAYOUT_NAME = \"default\";\nprivate static final String PROP_WIDTH = \"width\";\nprivate static final String PROP_OFFSET = \"offset\";\nprivate static final String PROP_RESOURCE_TYPE_DEFAULT = \"foundation/components/parsys/colctrl\";\n@Property(label = \"Column Control ResourceType\",\n description = \"The sling:resourceType of this column control, leave blank to use Foundation component. (some customers extend/create their own)\",\n value = PROP_RESOURCE_TYPE_DEFAULT)\n private static final String PROP_RESOURCE_TYPE= \"sling.resourceType\";\nprivate String resourceType = PROP_RESOURCE_TYPE_DEFAULT;\n@Property(label = \"Layout Property Value\",\n description = \"The value of the `layout` property on the primary column control component.\")\n private static final String PROP_LAYOUT_VALUE = \"layout.value\";\nprivate String layout;\n@Property(label = \"Column Widths\",\n description = \"An array of widths for each of the columns in target grid. (e.g. 50%/50% column control is [6,6] in target grid. 75%/25% => [8,4])\",\n cardinality = Integer.MAX_VALUE)\n private static final String PROP_COLUMN_WIDTHS = \"column.widths\";\nprivate long[] widths;", "class_name": "ColumnControlRewriteRule implements StructureRewriteRule", "method_signatures": "@Override public boolean matches(Node root)\n@Override public Node applyTo(Node root, Set<Node> finalNodes)\n@Activate protected void activate(ComponentContext context)\n@Override public int getRanking()" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRule.java for which to generate the test case is:\nclass_name: ColumnControlRewriteRule implements StructureRewriteRule\n\nclass_fields: private static final Logger logger = LoggerFactory.getLogger(ColumnControlRewriteRule.class);\nprivate int ranking = Integer.MAX_VALUE;\nprivate static final String PROP_LAYOUT = \"layout\";\nprivate static final String PROP_CONTROL_TYPE = \"controlType\";\nprivate static final String CONTROL_TYPE_BREAK = \"break\";\nprivate static final String CONTROL_TYPE_END = \"end\";\nprivate static final String RESPONSIVE_GRID_NAME = \"responsivegrid\";\nprivate static final String DEFAULT_LAYOUT_NAME = \"default\";\nprivate static final String PROP_WIDTH = \"width\";\nprivate static final String PROP_OFFSET = \"offset\";\nprivate static final String PROP_RESOURCE_TYPE_DEFAULT = \"foundation/components/parsys/colctrl\";\n@Property(label = \"Column Control ResourceType\",\n description = \"The sling:resourceType of this column control, leave blank to use Foundation component. (some customers extend/create their own)\",\n value = PROP_RESOURCE_TYPE_DEFAULT)\n private static final String PROP_RESOURCE_TYPE= \"sling.resourceType\";\nprivate String resourceType = PROP_RESOURCE_TYPE_DEFAULT;\n@Property(label = \"Layout Property Value\",\n description = \"The value of the `layout` property on the primary column control component.\")\n private static final String PROP_LAYOUT_VALUE = \"layout.value\";\nprivate String layout;\n@Property(label = \"Column Widths\",\n description = \"An array of widths for each of the columns in target grid. (e.g. 50%/50% column control is [6,6] in target grid. 75%/25% => [8,4])\",\n cardinality = Integer.MAX_VALUE)\n private static final String PROP_COLUMN_WIDTHS = \"column.widths\";\nprivate long[] widths;\n\nmethod_signatures: @Override public boolean matches(Node root)\n@Override public Node applyTo(Node root, Set<Node> finalNodes)\n@Activate protected void activate(ComponentContext context)\n@Override public int getRanking()\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: ColumnControlRewriteRuleTest\n\nclass_fields: private final String ROOTS_PATH = \"/libs/cq/modernize/templatestructure/content/roots\";\nprivate static final String LAYOUT_VALUE = \"2;cq-colctrl-lt0\";\nprivate static final String[] COLUMN_WIDTHS = {\"6\", \"6\"};\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\nprivate BundleContext bundleContext;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRule.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Activate\n protected void activate(ComponentContext context) throws RepositoryException, ConfigurationException {\n @SuppressWarnings(\"unchecked\")\n Dictionary<String, Object> props = context.getProperties();\n // read service ranking property\n Object ranking = props.get(\"service.ranking\");\n if (ranking != null) {\n try {\n this.ranking = (Integer) ranking;\n } catch (ClassCastException e) {\n // ignore\n logger.warn(\"Found invalid service.ranking value {}\", ranking);\n }\n }\n\n resourceType = PropertiesUtil.toString(props.get(PROP_RESOURCE_TYPE), PROP_RESOURCE_TYPE_DEFAULT);\n if (StringUtils.isBlank(resourceType)) {\n throw new ConfigurationException(PROP_RESOURCE_TYPE, \"Sling Resource Type is required.\");\n }\n\n layout = PropertiesUtil.toString(props.get(PROP_LAYOUT_VALUE), null);\n if (StringUtils.isBlank(layout)) {\n throw new ConfigurationException(PROP_LAYOUT_VALUE, \"Layout value property is required.\");\n }\n\n String[] widthsStrings = PropertiesUtil.toStringArray(props.get(PROP_COLUMN_WIDTHS), null);\n if (ArrayUtils.isEmpty(widthsStrings)) {\n throw new ConfigurationException(PROP_COLUMN_WIDTHS, \"Column width property is required.\");\n } else {\n widths = new long[widthsStrings.length];\n for (int i = 0; i < widthsStrings.length; i++) {\n try {\n widths[i] = Long.parseLong(widthsStrings[i]);\n } catch (NumberFormatException ex) {\n throw new ConfigurationException(PROP_COLUMN_WIDTHS, \"Column width values must be of type long.\");\n }\n }\n }\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRuleTest.java\n </TESTFILE7041>\n @Test\n public void testActivateBlankResourceType() {\n BundleContext bundleContext = MockOsgi.newBundleContext();\n ColumnControlRewriteRule rule = new ColumnControlRewriteRule();\n MockOsgi.injectServices(rule, bundleContext);\n Dictionary<String, Object> props = new Hashtable<>();\n props.put(\"layout.value\", LAYOUT_VALUE);\n props.put(\"column.widths\", COLUMN_WIDTHS);\n MockOsgi.activate(rule, bundleContext, props);\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/adobe/aem-modernize-tools
java
bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/component/impl/rules/NodeBasedComponentRewriteRule.java
bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/component/impl/rules/NodeBasedComponentRewriteRuleTest.java
public Set<String> getSlingResourceTypes() throws RepositoryException { Set<String> types = new HashSet<>(); if (!getRuleNode().hasNode("patterns")) { return types; } NodeIterator patterns = getRuleNode().getNode("patterns").getNodes(); while (patterns.hasNext()) { Node pnode = patterns.nextNode(); if (pnode.hasProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY)) { types.add(pnode.getProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY).getString()); } } return types; }
getSlingResourceTypes
@Test public void testGetSlingResourceTypes() throws Exception { Node ruleNode = context.resourceResolver().getResource(RULES_PATH + "/simple").adaptTo(Node.class); NodeBasedComponentRewriteRule rule = new NodeBasedComponentRewriteRule(ruleNode); Set<String> types = rule.getSlingResourceTypes(); assertFalse(types.isEmpty()); assertEquals(1, types.size()); assertEquals("geometrixx/components/simple", types.toArray()[0]); }
testGetSlingResourceTypes
[ "hasNode", "getRuleNode", "getNodes", "getNode", "getRuleNode", "hasNext", "nextNode", "hasProperty", "add", "getString", "getProperty" ]
[ "adaptTo", "getResource", "resourceResolver", "getSlingResourceTypes", "assertFalse", "isEmpty", "assertEquals", "size", "assertEquals", "toArray" ]
{ "class_fields": "private final String RULES_PATH = \"/libs/cq/modernize/component/rules\";\nprivate final String ROOTS_PATH = \"/libs/cq/modernize/component/content/roots\";\nprivate final String IMAGE_PATH = ROOTS_PATH + \"/binary/image/data\";\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);", "class_name": "NodeBasedComponentRewriteRuleTest" }
{ "class_fields": "", "class_name": "NodeBasedComponentRewriteRule extends AbstractNodeBasedRewriteRule implements ComponentRewriteRule", "method_signatures": "public NodeBasedComponentRewriteRule(Node ruleNode)\n@Override protected void doAdditionalApplyTo(Node root, Node copy, Node replacementNode)\npublic Set<String> getSlingResourceTypes()" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/component/impl/rules/NodeBasedComponentRewriteRule.java for which to generate the test case is:\nclass_name: NodeBasedComponentRewriteRule extends AbstractNodeBasedRewriteRule implements ComponentRewriteRule\n\nclass_fields: \n\nmethod_signatures: public NodeBasedComponentRewriteRule(Node ruleNode)\n@Override protected void doAdditionalApplyTo(Node root, Node copy, Node replacementNode)\npublic Set<String> getSlingResourceTypes()\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: NodeBasedComponentRewriteRuleTest\n\nclass_fields: private final String RULES_PATH = \"/libs/cq/modernize/component/rules\";\nprivate final String ROOTS_PATH = \"/libs/cq/modernize/component/content/roots\";\nprivate final String IMAGE_PATH = ROOTS_PATH + \"/binary/image/data\";\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/component/impl/rules/NodeBasedComponentRewriteRule.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public Set<String> getSlingResourceTypes() throws RepositoryException {\n Set<String> types = new HashSet<>();\n\n if (!getRuleNode().hasNode(\"patterns\")) {\n return types;\n }\n\n NodeIterator patterns = getRuleNode().getNode(\"patterns\").getNodes();\n while (patterns.hasNext()) {\n Node pnode = patterns.nextNode();\n if (pnode.hasProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY)) {\n types.add(pnode.getProperty(JcrResourceConstants.SLING_RESOURCE_TYPE_PROPERTY).getString());\n }\n }\n return types;\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/component/impl/rules/NodeBasedComponentRewriteRuleTest.java\n </TESTFILE7041>\n @Test\n public void testGetSlingResourceTypes() throws Exception {\n Node ruleNode = context.resourceResolver().getResource(RULES_PATH + \"/simple\").adaptTo(Node.class);\n NodeBasedComponentRewriteRule rule = new NodeBasedComponentRewriteRule(ruleNode);\n\n Set<String> types = rule.getSlingResourceTypes();\n\n assertFalse(types.isEmpty());\n assertEquals(1, types.size());\n assertEquals(\"geometrixx/components/simple\", types.toArray()[0]);\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/adobe/aem-modernize-tools
java
bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRule.java
bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRuleTest.java
@Activate protected void activate(ComponentContext context) throws RepositoryException, ConfigurationException { @SuppressWarnings("unchecked") Dictionary<String, Object> props = context.getProperties(); // read service ranking property Object ranking = props.get("service.ranking"); if (ranking != null) { try { this.ranking = (Integer) ranking; } catch (ClassCastException e) { // ignore logger.warn("Found invalid service.ranking value {}", ranking); } } resourceType = PropertiesUtil.toString(props.get(PROP_RESOURCE_TYPE), PROP_RESOURCE_TYPE_DEFAULT); if (StringUtils.isBlank(resourceType)) { throw new ConfigurationException(PROP_RESOURCE_TYPE, "Sling Resource Type is required."); } layout = PropertiesUtil.toString(props.get(PROP_LAYOUT_VALUE), null); if (StringUtils.isBlank(layout)) { throw new ConfigurationException(PROP_LAYOUT_VALUE, "Layout value property is required."); } String[] widthsStrings = PropertiesUtil.toStringArray(props.get(PROP_COLUMN_WIDTHS), null); if (ArrayUtils.isEmpty(widthsStrings)) { throw new ConfigurationException(PROP_COLUMN_WIDTHS, "Column width property is required."); } else { widths = new long[widthsStrings.length]; for (int i = 0; i < widthsStrings.length; i++) { try { widths[i] = Long.parseLong(widthsStrings[i]); } catch (NumberFormatException ex) { throw new ConfigurationException(PROP_COLUMN_WIDTHS, "Column width values must be of type long."); } } } }
activate
@Test(expected = RuntimeException.class) public void testActivateWidthsWrongType() { BundleContext bundleContext = MockOsgi.newBundleContext(); ColumnControlRewriteRule rule = new ColumnControlRewriteRule(); MockOsgi.injectServices(rule, bundleContext); Dictionary<String, Object> props = new Hashtable<>(); props.put("layout.value", LAYOUT_VALUE); props.put("column.widths", "String?"); MockOsgi.activate(rule, bundleContext, props); }
testActivateWidthsWrongType
[ "getProperties", "get", "warn", "toString", "get", "isBlank", "toString", "get", "isBlank", "toStringArray", "get", "isEmpty", "parseLong" ]
[ "newBundleContext", "injectServices", "put", "put", "activate" ]
{ "class_fields": "private final String ROOTS_PATH = \"/libs/cq/modernize/templatestructure/content/roots\";\nprivate static final String LAYOUT_VALUE = \"2;cq-colctrl-lt0\";\nprivate static final String[] COLUMN_WIDTHS = {\"6\", \"6\"};\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\nprivate BundleContext bundleContext;", "class_name": "ColumnControlRewriteRuleTest" }
{ "class_fields": "private static final Logger logger = LoggerFactory.getLogger(ColumnControlRewriteRule.class);\nprivate int ranking = Integer.MAX_VALUE;\nprivate static final String PROP_LAYOUT = \"layout\";\nprivate static final String PROP_CONTROL_TYPE = \"controlType\";\nprivate static final String CONTROL_TYPE_BREAK = \"break\";\nprivate static final String CONTROL_TYPE_END = \"end\";\nprivate static final String RESPONSIVE_GRID_NAME = \"responsivegrid\";\nprivate static final String DEFAULT_LAYOUT_NAME = \"default\";\nprivate static final String PROP_WIDTH = \"width\";\nprivate static final String PROP_OFFSET = \"offset\";\nprivate static final String PROP_RESOURCE_TYPE_DEFAULT = \"foundation/components/parsys/colctrl\";\n@Property(label = \"Column Control ResourceType\",\n description = \"The sling:resourceType of this column control, leave blank to use Foundation component. (some customers extend/create their own)\",\n value = PROP_RESOURCE_TYPE_DEFAULT)\n private static final String PROP_RESOURCE_TYPE= \"sling.resourceType\";\nprivate String resourceType = PROP_RESOURCE_TYPE_DEFAULT;\n@Property(label = \"Layout Property Value\",\n description = \"The value of the `layout` property on the primary column control component.\")\n private static final String PROP_LAYOUT_VALUE = \"layout.value\";\nprivate String layout;\n@Property(label = \"Column Widths\",\n description = \"An array of widths for each of the columns in target grid. (e.g. 50%/50% column control is [6,6] in target grid. 75%/25% => [8,4])\",\n cardinality = Integer.MAX_VALUE)\n private static final String PROP_COLUMN_WIDTHS = \"column.widths\";\nprivate long[] widths;", "class_name": "ColumnControlRewriteRule implements StructureRewriteRule", "method_signatures": "@Override public boolean matches(Node root)\n@Override public Node applyTo(Node root, Set<Node> finalNodes)\n@Activate protected void activate(ComponentContext context)\n@Override public int getRanking()" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRule.java for which to generate the test case is:\nclass_name: ColumnControlRewriteRule implements StructureRewriteRule\n\nclass_fields: private static final Logger logger = LoggerFactory.getLogger(ColumnControlRewriteRule.class);\nprivate int ranking = Integer.MAX_VALUE;\nprivate static final String PROP_LAYOUT = \"layout\";\nprivate static final String PROP_CONTROL_TYPE = \"controlType\";\nprivate static final String CONTROL_TYPE_BREAK = \"break\";\nprivate static final String CONTROL_TYPE_END = \"end\";\nprivate static final String RESPONSIVE_GRID_NAME = \"responsivegrid\";\nprivate static final String DEFAULT_LAYOUT_NAME = \"default\";\nprivate static final String PROP_WIDTH = \"width\";\nprivate static final String PROP_OFFSET = \"offset\";\nprivate static final String PROP_RESOURCE_TYPE_DEFAULT = \"foundation/components/parsys/colctrl\";\n@Property(label = \"Column Control ResourceType\",\n description = \"The sling:resourceType of this column control, leave blank to use Foundation component. (some customers extend/create their own)\",\n value = PROP_RESOURCE_TYPE_DEFAULT)\n private static final String PROP_RESOURCE_TYPE= \"sling.resourceType\";\nprivate String resourceType = PROP_RESOURCE_TYPE_DEFAULT;\n@Property(label = \"Layout Property Value\",\n description = \"The value of the `layout` property on the primary column control component.\")\n private static final String PROP_LAYOUT_VALUE = \"layout.value\";\nprivate String layout;\n@Property(label = \"Column Widths\",\n description = \"An array of widths for each of the columns in target grid. (e.g. 50%/50% column control is [6,6] in target grid. 75%/25% => [8,4])\",\n cardinality = Integer.MAX_VALUE)\n private static final String PROP_COLUMN_WIDTHS = \"column.widths\";\nprivate long[] widths;\n\nmethod_signatures: @Override public boolean matches(Node root)\n@Override public Node applyTo(Node root, Set<Node> finalNodes)\n@Activate protected void activate(ComponentContext context)\n@Override public int getRanking()\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: ColumnControlRewriteRuleTest\n\nclass_fields: private final String ROOTS_PATH = \"/libs/cq/modernize/templatestructure/content/roots\";\nprivate static final String LAYOUT_VALUE = \"2;cq-colctrl-lt0\";\nprivate static final String[] COLUMN_WIDTHS = {\"6\", \"6\"};\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\nprivate BundleContext bundleContext;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRule.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Activate\n protected void activate(ComponentContext context) throws RepositoryException, ConfigurationException {\n @SuppressWarnings(\"unchecked\")\n Dictionary<String, Object> props = context.getProperties();\n // read service ranking property\n Object ranking = props.get(\"service.ranking\");\n if (ranking != null) {\n try {\n this.ranking = (Integer) ranking;\n } catch (ClassCastException e) {\n // ignore\n logger.warn(\"Found invalid service.ranking value {}\", ranking);\n }\n }\n\n resourceType = PropertiesUtil.toString(props.get(PROP_RESOURCE_TYPE), PROP_RESOURCE_TYPE_DEFAULT);\n if (StringUtils.isBlank(resourceType)) {\n throw new ConfigurationException(PROP_RESOURCE_TYPE, \"Sling Resource Type is required.\");\n }\n\n layout = PropertiesUtil.toString(props.get(PROP_LAYOUT_VALUE), null);\n if (StringUtils.isBlank(layout)) {\n throw new ConfigurationException(PROP_LAYOUT_VALUE, \"Layout value property is required.\");\n }\n\n String[] widthsStrings = PropertiesUtil.toStringArray(props.get(PROP_COLUMN_WIDTHS), null);\n if (ArrayUtils.isEmpty(widthsStrings)) {\n throw new ConfigurationException(PROP_COLUMN_WIDTHS, \"Column width property is required.\");\n } else {\n widths = new long[widthsStrings.length];\n for (int i = 0; i < widthsStrings.length; i++) {\n try {\n widths[i] = Long.parseLong(widthsStrings[i]);\n } catch (NumberFormatException ex) {\n throw new ConfigurationException(PROP_COLUMN_WIDTHS, \"Column width values must be of type long.\");\n }\n }\n }\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRuleTest.java\n </TESTFILE7041>\n @Test(expected = RuntimeException.class)\n public void testActivateWidthsWrongType() {\n BundleContext bundleContext = MockOsgi.newBundleContext();\n ColumnControlRewriteRule rule = new ColumnControlRewriteRule();\n MockOsgi.injectServices(rule, bundleContext);\n Dictionary<String, Object> props = new Hashtable<>();\n props.put(\"layout.value\", LAYOUT_VALUE);\n props.put(\"column.widths\", \"String?\");\n MockOsgi.activate(rule, bundleContext, props);\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/swp-uebersetzerbau-ss13/javabite
java
javabite-code-gen/src/main/java/swp_compiler_ss13/javabite/codegen/CastingAst2CodeConverter.java
javabite-code-gen/src/test/java/swp_compiler_ss13/javabite/codegen/CastingAst2CodeConverterTest.java
protected IdentifierData cast(Type goalType, IdentifierData oldId) throws IntermediateCodeGeneratorException { if (oldId.getIdentifier().startsWith("#")) { IdentifierData tmpId = icg.generateTempIdentifier(oldId.getType()); icg.addQuadruple(QuadrupleFactoryJb.generateAssignment(tmpId, oldId)); oldId = tmpId; } IdentifierData newId = icg.generateTempIdentifier(goalType); icg.addQuadruple(QuadrupleFactoryJb.generateCast(newId, oldId)); return newId; }
cast
@Test public void testCastDoubleToString() { try { when(converter.icg.generateTempIdentifier(any(StringType.class))) .thenReturn(new IdentifierData("tmp", new StringType(0l))); converter.cast(new StringType(0l), new IdentifierData("test", new DoubleType())); verify(converter.icg).addQuadruple( new QuadrupleJb(Operator.DOUBLE_TO_STRING, "test", Quadruple.EmptyArgument, "tmp")); } catch (IntermediateCodeGeneratorException e) { fail(); } }
testCastDoubleToString
[ "startsWith", "getIdentifier", "generateTempIdentifier", "getType", "addQuadruple", "generateAssignment", "generateTempIdentifier", "addQuadruple", "generateCast" ]
[ "thenReturn", "when", "generateTempIdentifier", "any", "cast", "addQuadruple", "verify", "fail" ]
{ "class_fields": "CastingAst2CodeConverter converter;", "class_name": "CastingAst2CodeConverterTest" }
{ "class_fields": "", "class_name": "CastingAst2CodeConverter extends AbstractAst2CodeConverter", "method_signatures": "protected IdentifierData cast(Type goalType, IdentifierData oldId)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: javabite-code-gen/src/main/java/swp_compiler_ss13/javabite/codegen/CastingAst2CodeConverter.java for which to generate the test case is:\nclass_name: CastingAst2CodeConverter extends AbstractAst2CodeConverter\n\nclass_fields: \n\nmethod_signatures: protected IdentifierData cast(Type goalType, IdentifierData oldId)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: CastingAst2CodeConverterTest\n\nclass_fields: CastingAst2CodeConverter converter;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file javabite-code-gen/src/main/java/swp_compiler_ss13/javabite/codegen/CastingAst2CodeConverter.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n protected IdentifierData cast(Type goalType, IdentifierData oldId) throws IntermediateCodeGeneratorException {\n\t\tif (oldId.getIdentifier().startsWith(\"#\")) {\n\t\t\tIdentifierData tmpId = icg.generateTempIdentifier(oldId.getType());\n\t\t\ticg.addQuadruple(QuadrupleFactoryJb.generateAssignment(tmpId, oldId));\n\t\t\toldId = tmpId;\n\t\t}\n\t\tIdentifierData newId = icg.generateTempIdentifier(goalType);\n\t\ticg.addQuadruple(QuadrupleFactoryJb.generateCast(newId, oldId));\n\t\treturn newId;\n\t}\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n javabite-code-gen/src/test/java/swp_compiler_ss13/javabite/codegen/CastingAst2CodeConverterTest.java\n </TESTFILE7041>\n @Test\n\tpublic void testCastDoubleToString() {\n\t\ttry {\n\t\t\twhen(converter.icg.generateTempIdentifier(any(StringType.class)))\n\t\t\t\t\t.thenReturn(new IdentifierData(\"tmp\", new StringType(0l)));\n\t\t\tconverter.cast(new StringType(0l), new IdentifierData(\"test\",\n\t\t\t\t\tnew DoubleType()));\n\t\t\tverify(converter.icg).addQuadruple(\n\t\t\t\t\tnew QuadrupleJb(Operator.DOUBLE_TO_STRING, \"test\",\n\t\t\t\t\t\t\tQuadruple.EmptyArgument, \"tmp\"));\n\t\t} catch (IntermediateCodeGeneratorException e) {\n\t\t\tfail();\n\t\t}\n\t}\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/adobe/aem-modernize-tools
java
bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRule.java
bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRuleTest.java
@Activate protected void activate(ComponentContext context) throws RepositoryException, ConfigurationException { @SuppressWarnings("unchecked") Dictionary<String, Object> props = context.getProperties(); // read service ranking property Object ranking = props.get("service.ranking"); if (ranking != null) { try { this.ranking = (Integer) ranking; } catch (ClassCastException e) { // ignore logger.warn("Found invalid service.ranking value {}", ranking); } } resourceType = PropertiesUtil.toString(props.get(PROP_RESOURCE_TYPE), PROP_RESOURCE_TYPE_DEFAULT); if (StringUtils.isBlank(resourceType)) { throw new ConfigurationException(PROP_RESOURCE_TYPE, "Sling Resource Type is required."); } layout = PropertiesUtil.toString(props.get(PROP_LAYOUT_VALUE), null); if (StringUtils.isBlank(layout)) { throw new ConfigurationException(PROP_LAYOUT_VALUE, "Layout value property is required."); } String[] widthsStrings = PropertiesUtil.toStringArray(props.get(PROP_COLUMN_WIDTHS), null); if (ArrayUtils.isEmpty(widthsStrings)) { throw new ConfigurationException(PROP_COLUMN_WIDTHS, "Column width property is required."); } else { widths = new long[widthsStrings.length]; for (int i = 0; i < widthsStrings.length; i++) { try { widths[i] = Long.parseLong(widthsStrings[i]); } catch (NumberFormatException ex) { throw new ConfigurationException(PROP_COLUMN_WIDTHS, "Column width values must be of type long."); } } } }
activate
@Test(expected = RuntimeException.class) public void testActivateNoWidths() { BundleContext bundleContext = MockOsgi.newBundleContext(); ColumnControlRewriteRule rule = new ColumnControlRewriteRule(); MockOsgi.injectServices(rule, bundleContext); Dictionary<String, Object> props = new Hashtable<>(); props.put("layout.value", LAYOUT_VALUE); MockOsgi.activate(rule, bundleContext, props); }
testActivateNoWidths
[ "getProperties", "get", "warn", "toString", "get", "isBlank", "toString", "get", "isBlank", "toStringArray", "get", "isEmpty", "parseLong" ]
[ "newBundleContext", "injectServices", "put", "activate" ]
{ "class_fields": "private final String ROOTS_PATH = \"/libs/cq/modernize/templatestructure/content/roots\";\nprivate static final String LAYOUT_VALUE = \"2;cq-colctrl-lt0\";\nprivate static final String[] COLUMN_WIDTHS = {\"6\", \"6\"};\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\nprivate BundleContext bundleContext;", "class_name": "ColumnControlRewriteRuleTest" }
{ "class_fields": "private static final Logger logger = LoggerFactory.getLogger(ColumnControlRewriteRule.class);\nprivate int ranking = Integer.MAX_VALUE;\nprivate static final String PROP_LAYOUT = \"layout\";\nprivate static final String PROP_CONTROL_TYPE = \"controlType\";\nprivate static final String CONTROL_TYPE_BREAK = \"break\";\nprivate static final String CONTROL_TYPE_END = \"end\";\nprivate static final String RESPONSIVE_GRID_NAME = \"responsivegrid\";\nprivate static final String DEFAULT_LAYOUT_NAME = \"default\";\nprivate static final String PROP_WIDTH = \"width\";\nprivate static final String PROP_OFFSET = \"offset\";\nprivate static final String PROP_RESOURCE_TYPE_DEFAULT = \"foundation/components/parsys/colctrl\";\n@Property(label = \"Column Control ResourceType\",\n description = \"The sling:resourceType of this column control, leave blank to use Foundation component. (some customers extend/create their own)\",\n value = PROP_RESOURCE_TYPE_DEFAULT)\n private static final String PROP_RESOURCE_TYPE= \"sling.resourceType\";\nprivate String resourceType = PROP_RESOURCE_TYPE_DEFAULT;\n@Property(label = \"Layout Property Value\",\n description = \"The value of the `layout` property on the primary column control component.\")\n private static final String PROP_LAYOUT_VALUE = \"layout.value\";\nprivate String layout;\n@Property(label = \"Column Widths\",\n description = \"An array of widths for each of the columns in target grid. (e.g. 50%/50% column control is [6,6] in target grid. 75%/25% => [8,4])\",\n cardinality = Integer.MAX_VALUE)\n private static final String PROP_COLUMN_WIDTHS = \"column.widths\";\nprivate long[] widths;", "class_name": "ColumnControlRewriteRule implements StructureRewriteRule", "method_signatures": "@Override public boolean matches(Node root)\n@Override public Node applyTo(Node root, Set<Node> finalNodes)\n@Activate protected void activate(ComponentContext context)\n@Override public int getRanking()" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRule.java for which to generate the test case is:\nclass_name: ColumnControlRewriteRule implements StructureRewriteRule\n\nclass_fields: private static final Logger logger = LoggerFactory.getLogger(ColumnControlRewriteRule.class);\nprivate int ranking = Integer.MAX_VALUE;\nprivate static final String PROP_LAYOUT = \"layout\";\nprivate static final String PROP_CONTROL_TYPE = \"controlType\";\nprivate static final String CONTROL_TYPE_BREAK = \"break\";\nprivate static final String CONTROL_TYPE_END = \"end\";\nprivate static final String RESPONSIVE_GRID_NAME = \"responsivegrid\";\nprivate static final String DEFAULT_LAYOUT_NAME = \"default\";\nprivate static final String PROP_WIDTH = \"width\";\nprivate static final String PROP_OFFSET = \"offset\";\nprivate static final String PROP_RESOURCE_TYPE_DEFAULT = \"foundation/components/parsys/colctrl\";\n@Property(label = \"Column Control ResourceType\",\n description = \"The sling:resourceType of this column control, leave blank to use Foundation component. (some customers extend/create their own)\",\n value = PROP_RESOURCE_TYPE_DEFAULT)\n private static final String PROP_RESOURCE_TYPE= \"sling.resourceType\";\nprivate String resourceType = PROP_RESOURCE_TYPE_DEFAULT;\n@Property(label = \"Layout Property Value\",\n description = \"The value of the `layout` property on the primary column control component.\")\n private static final String PROP_LAYOUT_VALUE = \"layout.value\";\nprivate String layout;\n@Property(label = \"Column Widths\",\n description = \"An array of widths for each of the columns in target grid. (e.g. 50%/50% column control is [6,6] in target grid. 75%/25% => [8,4])\",\n cardinality = Integer.MAX_VALUE)\n private static final String PROP_COLUMN_WIDTHS = \"column.widths\";\nprivate long[] widths;\n\nmethod_signatures: @Override public boolean matches(Node root)\n@Override public Node applyTo(Node root, Set<Node> finalNodes)\n@Activate protected void activate(ComponentContext context)\n@Override public int getRanking()\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: ColumnControlRewriteRuleTest\n\nclass_fields: private final String ROOTS_PATH = \"/libs/cq/modernize/templatestructure/content/roots\";\nprivate static final String LAYOUT_VALUE = \"2;cq-colctrl-lt0\";\nprivate static final String[] COLUMN_WIDTHS = {\"6\", \"6\"};\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\nprivate BundleContext bundleContext;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRule.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Activate\n protected void activate(ComponentContext context) throws RepositoryException, ConfigurationException {\n @SuppressWarnings(\"unchecked\")\n Dictionary<String, Object> props = context.getProperties();\n // read service ranking property\n Object ranking = props.get(\"service.ranking\");\n if (ranking != null) {\n try {\n this.ranking = (Integer) ranking;\n } catch (ClassCastException e) {\n // ignore\n logger.warn(\"Found invalid service.ranking value {}\", ranking);\n }\n }\n\n resourceType = PropertiesUtil.toString(props.get(PROP_RESOURCE_TYPE), PROP_RESOURCE_TYPE_DEFAULT);\n if (StringUtils.isBlank(resourceType)) {\n throw new ConfigurationException(PROP_RESOURCE_TYPE, \"Sling Resource Type is required.\");\n }\n\n layout = PropertiesUtil.toString(props.get(PROP_LAYOUT_VALUE), null);\n if (StringUtils.isBlank(layout)) {\n throw new ConfigurationException(PROP_LAYOUT_VALUE, \"Layout value property is required.\");\n }\n\n String[] widthsStrings = PropertiesUtil.toStringArray(props.get(PROP_COLUMN_WIDTHS), null);\n if (ArrayUtils.isEmpty(widthsStrings)) {\n throw new ConfigurationException(PROP_COLUMN_WIDTHS, \"Column width property is required.\");\n } else {\n widths = new long[widthsStrings.length];\n for (int i = 0; i < widthsStrings.length; i++) {\n try {\n widths[i] = Long.parseLong(widthsStrings[i]);\n } catch (NumberFormatException ex) {\n throw new ConfigurationException(PROP_COLUMN_WIDTHS, \"Column width values must be of type long.\");\n }\n }\n }\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/rules/ColumnControlRewriteRuleTest.java\n </TESTFILE7041>\n @Test(expected = RuntimeException.class)\n public void testActivateNoWidths() {\n BundleContext bundleContext = MockOsgi.newBundleContext();\n ColumnControlRewriteRule rule = new ColumnControlRewriteRule();\n MockOsgi.injectServices(rule, bundleContext);\n Dictionary<String, Object> props = new Hashtable<>();\n props.put(\"layout.value\", LAYOUT_VALUE);\n MockOsgi.activate(rule, bundleContext, props);\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/adobe/aem-modernize-tools
java
bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/PageRewriteRule.java
bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/rules/PageRewriteRuleTest.java
@Override public boolean matches(Node root) throws RepositoryException { if (!root.hasProperty(NameConstants.NN_TEMPLATE)) { return false; } String template = root.getProperty(NameConstants.NN_TEMPLATE).getString(); return StringUtils.equals(staticTemplate, template); }
matches
@Test public void testMatches() throws Exception { Node rootNode = context.resourceResolver().getResource(ROOTS_PATH + "/matches/jcr:content").adaptTo(Node.class); ServiceReference ref = bundleContext.getServiceReference(StructureRewriteRule.class.getName()); StructureRewriteRule rule = bundleContext.<StructureRewriteRule>getService(ref); assertTrue(rule.matches(rootNode)); }
testMatches
[ "hasProperty", "getString", "getProperty", "equals" ]
[ "adaptTo", "getResource", "resourceResolver", "getServiceReference", "getName", "getService", "assertTrue", "matches" ]
{ "class_fields": "private final String ROOTS_PATH = \"/libs/cq/modernize/templatestructure/content/roots\";\nprivate static final String STATIC_TEMPLATE = \"/apps/geometrixx/templates/homepage\";\nprivate static final String EDITABLE_TEMPLATE = \"/conf/geodemo/settings/wcm/templates/geometrixx-demo-home-page\";\nprivate static final String SLING_RESOURCE_TYPE = \"geodemo/components/structure/page\";\nprivate static final String[] ORDER = {\n \"responsivegrid\",\n \"responsivegrid_12345\",\n \"responsivegrid:header\",\n \"responsivegrid:title\"\n };\nprivate static final String[] REMOVE = { \"toBeRemoved\" };\nprivate static final String[] RENAME = { \"par:responsivegrid/responsivegrid\", \"rightpar:responsivegrid_12345\" };\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\nprivate BundleContext bundleContext;", "class_name": "PageRewriteRuleTest" }
{ "class_fields": "private static final Logger logger = LoggerFactory.getLogger(PageRewriteRule.class);\n@org.apache.felix.scr.annotations.Property(label = \"Static Template\",\n description = \"The static template which will be updated by this Page Rewrite Rule\")\n private static final String PROP_STATIC_TEMPLATE = \"static.template\";\nprivate String staticTemplate;\n@org.apache.felix.scr.annotations.Property(label = \"Editable Template\",\n description = \"The value to update the cq:template with, this should be the new Editable Template.\")\n private static final String PROP_EDITABLE_TEMPLATE = \"editable.template\";\nprivate String editableTemplate;\n@org.apache.felix.scr.annotations.Property(label = \"Sling Resource Type\",\n description = \"The value to update the sling:resourceType with, this should be the same as the \" +\n \"new Editable Template.\")\n private static final String PROP_SLING_RESOURCE_TYPE = \"sling.resourceType\";\nprivate String slingResourceType;\n@org.apache.felix.scr.annotations.Property(label = \"Component Order\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify the order of the components in the new responsive grid. \" +\n \"Any found and unspecified are moved to the end in arbitrary order.\")\n private static final String PROP_ORDER_COMPONENTS = \"order.components\";\nprivate Map<String, List<String>> componentOrdering = new HashMap<>();\n@org.apache.felix.scr.annotations.Property(label = \"Remove Components\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify any components that may exist on the static page that can be removed.\")\n private static final String PROP_REMOVE_COMPONENTS = \"remove.components\";\nprivate String[] componentsToRemove;\n@org.apache.felix.scr.annotations.Property(label = \"Rename Components\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify new name for components as they are moved into the root responsive grid.\")\n private static final String PROP_RENAME_COMPONENTS = \"rename.components\";\nprivate Map<String, String> componentRenamed;\nprivate List<String> nested = new ArrayList<>();\nprivate int ranking = Integer.MAX_VALUE;\nprivate static final String RESPONSIVE_GRID_NODE_NAME = \"root\";", "class_name": "PageRewriteRule implements PageStructureRewriteRule", "method_signatures": "@Override public boolean matches(Node root)\n@Override public Node applyTo(Node root, Set<Node> finalNodes)\nprivate List<String> moveStructure(Node source, Node target, List<String> ignored)\nprivate void reorderChildren(List<String> names, List<String> order, Node parent)\n@Activate protected void activate(ComponentContext context)\n@Override public String getStaticTemplate()\n@Override public int getRanking()" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/PageRewriteRule.java for which to generate the test case is:\nclass_name: PageRewriteRule implements PageStructureRewriteRule\n\nclass_fields: private static final Logger logger = LoggerFactory.getLogger(PageRewriteRule.class);\n@org.apache.felix.scr.annotations.Property(label = \"Static Template\",\n description = \"The static template which will be updated by this Page Rewrite Rule\")\n private static final String PROP_STATIC_TEMPLATE = \"static.template\";\nprivate String staticTemplate;\n@org.apache.felix.scr.annotations.Property(label = \"Editable Template\",\n description = \"The value to update the cq:template with, this should be the new Editable Template.\")\n private static final String PROP_EDITABLE_TEMPLATE = \"editable.template\";\nprivate String editableTemplate;\n@org.apache.felix.scr.annotations.Property(label = \"Sling Resource Type\",\n description = \"The value to update the sling:resourceType with, this should be the same as the \" +\n \"new Editable Template.\")\n private static final String PROP_SLING_RESOURCE_TYPE = \"sling.resourceType\";\nprivate String slingResourceType;\n@org.apache.felix.scr.annotations.Property(label = \"Component Order\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify the order of the components in the new responsive grid. \" +\n \"Any found and unspecified are moved to the end in arbitrary order.\")\n private static final String PROP_ORDER_COMPONENTS = \"order.components\";\nprivate Map<String, List<String>> componentOrdering = new HashMap<>();\n@org.apache.felix.scr.annotations.Property(label = \"Remove Components\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify any components that may exist on the static page that can be removed.\")\n private static final String PROP_REMOVE_COMPONENTS = \"remove.components\";\nprivate String[] componentsToRemove;\n@org.apache.felix.scr.annotations.Property(label = \"Rename Components\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify new name for components as they are moved into the root responsive grid.\")\n private static final String PROP_RENAME_COMPONENTS = \"rename.components\";\nprivate Map<String, String> componentRenamed;\nprivate List<String> nested = new ArrayList<>();\nprivate int ranking = Integer.MAX_VALUE;\nprivate static final String RESPONSIVE_GRID_NODE_NAME = \"root\";\n\nmethod_signatures: @Override public boolean matches(Node root)\n@Override public Node applyTo(Node root, Set<Node> finalNodes)\nprivate List<String> moveStructure(Node source, Node target, List<String> ignored)\nprivate void reorderChildren(List<String> names, List<String> order, Node parent)\n@Activate protected void activate(ComponentContext context)\n@Override public String getStaticTemplate()\n@Override public int getRanking()\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: PageRewriteRuleTest\n\nclass_fields: private final String ROOTS_PATH = \"/libs/cq/modernize/templatestructure/content/roots\";\nprivate static final String STATIC_TEMPLATE = \"/apps/geometrixx/templates/homepage\";\nprivate static final String EDITABLE_TEMPLATE = \"/conf/geodemo/settings/wcm/templates/geometrixx-demo-home-page\";\nprivate static final String SLING_RESOURCE_TYPE = \"geodemo/components/structure/page\";\nprivate static final String[] ORDER = {\n \"responsivegrid\",\n \"responsivegrid_12345\",\n \"responsivegrid:header\",\n \"responsivegrid:title\"\n };\nprivate static final String[] REMOVE = { \"toBeRemoved\" };\nprivate static final String[] RENAME = { \"par:responsivegrid/responsivegrid\", \"rightpar:responsivegrid_12345\" };\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\nprivate BundleContext bundleContext;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/PageRewriteRule.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public boolean matches(Node root) throws RepositoryException {\n if (!root.hasProperty(NameConstants.NN_TEMPLATE)) {\n return false;\n }\n String template = root.getProperty(NameConstants.NN_TEMPLATE).getString();\n return StringUtils.equals(staticTemplate, template);\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/rules/PageRewriteRuleTest.java\n </TESTFILE7041>\n @Test\n public void testMatches() throws Exception {\n Node rootNode = context.resourceResolver().getResource(ROOTS_PATH + \"/matches/jcr:content\").adaptTo(Node.class);\n\n ServiceReference ref = bundleContext.getServiceReference(StructureRewriteRule.class.getName());\n StructureRewriteRule rule = bundleContext.<StructureRewriteRule>getService(ref);\n\n assertTrue(rule.matches(rootNode));\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/CodeQInvest/codeq-invest
java
investment-decision-making/src/main/java/org/codeqinvest/investment/QualityInvestmentPlanService.java
investment-decision-making/src/test/java/org/codeqinvest/investment/QualityInvestmentPlanServiceTest.java
public QualityInvestmentPlan computeInvestmentPlan(QualityAnalysis analysis, String basePackage, int investmentInMinutes) { Multimap<Double, QualityViolation> violationsByProfit = ArrayListMultimap.create(); for (QualityViolation violation : filterViolationsByArtefactNameStartingWith(basePackage, analysis.getViolations())) { double profit = profitCalculator.calculateProfit(violation); if (Math.round(profit) > 0) { violationsByProfit.put(profit, violation); } } List<Double> allProfits = new ArrayList<Double>(); for (Double profit : violationsByProfit.keySet()) { int numberOfViolations = violationsByProfit.get(profit).size(); for (int i = 0; i < numberOfViolations; i++) { allProfits.add(profit); } } Collections.sort(allProfits, new DescendingComparator<Double>()); Set<QualityInvestmentPlanEntry> investmentPlanEntries = Sets.newTreeSet(); int toInvest = investmentInMinutes; int invested = 0; for (double profit : allProfits) { List<QualityViolation> violations = new ArrayList<QualityViolation>(violationsByProfit.get(profit)); Collections.sort(violations, new ViolationByRemediationCostsComparator()); for (QualityViolation violation : violations) { int remediationCost = violation.getRemediationCosts(); if (remediationCost <= toInvest) { invested += remediationCost; toInvest -= remediationCost; QualityRequirement requirement = violation.getRequirement(); investmentPlanEntries.add(new QualityInvestmentPlanEntry( requirement.getMetricIdentifier(), requirement.getOperator() + " " + requirement.getThreshold(), violation.getArtefact().getName(), violation.getArtefact().getShortClassName(), (int) Math.round(profit), remediationCost)); } } } final int overallProfit = calculateOverallProfit(investmentPlanEntries); return new QualityInvestmentPlan(basePackage, invested, overallProfit, calculateRoi(investmentPlanEntries, overallProfit), investmentPlanEntries); }
computeInvestmentPlan
@Test public void shouldNotConsiderViolationsWithNegativeProfit() { when(profitCalculator.calculateProfit(any(QualityViolation.class))).thenReturn(-0.1); QualityInvestmentPlan qualityInvestmentPlan = investmentPlanService.computeInvestmentPlan(analysis, "", 50); assertThat(qualityInvestmentPlan.getProfitInMinutes()).isZero(); assertThat(qualityInvestmentPlan.getRoi()).isZero(); assertThat(qualityInvestmentPlan.getEntries()).isEmpty(); }
shouldNotConsiderViolationsWithNegativeProfit
[ "create", "filterViolationsByArtefactNameStartingWith", "getViolations", "calculateProfit", "round", "put", "keySet", "size", "get", "add", "sort", "newTreeSet", "get", "sort", "getRemediationCosts", "getRequirement", "add", "getMetricIdentifier", "getOperator", "getThreshold", "getName", "getArtefact", "getShortClassName", "getArtefact", "round", "calculateOverallProfit", "calculateRoi" ]
[ "thenReturn", "when", "calculateProfit", "any", "computeInvestmentPlan", "isZero", "assertThat", "getProfitInMinutes", "isZero", "assertThat", "getRoi", "isEmpty", "assertThat", "getEntries" ]
{ "class_fields": "private QualityInvestmentPlanService investmentPlanService;\nprivate ProfitCalculator profitCalculator;\nprivate QualityAnalysis analysis;", "class_name": "QualityInvestmentPlanServiceTest" }
{ "class_fields": "private final ProfitCalculator profitCalculator;", "class_name": "QualityInvestmentPlanService", "method_signatures": "@Autowired public QualityInvestmentPlanService(ProfitCalculator profitCalculator)\npublic QualityInvestmentPlan computeInvestmentPlan(QualityAnalysis analysis, String basePackage, int investmentInMinutes)\nprivate int calculateOverallProfit(Set<QualityInvestmentPlanEntry> investmentPlanEntries)\nprivate Collection<QualityViolation> filterViolationsByArtefactNameStartingWith(String basePackage, List<QualityViolation> violations)\nprivate int calculateRoi(Set<QualityInvestmentPlanEntry> investmentPlanEntries, int overallProfit)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: investment-decision-making/src/main/java/org/codeqinvest/investment/QualityInvestmentPlanService.java for which to generate the test case is:\nclass_name: QualityInvestmentPlanService\n\nclass_fields: private final ProfitCalculator profitCalculator;\n\nmethod_signatures: @Autowired public QualityInvestmentPlanService(ProfitCalculator profitCalculator)\npublic QualityInvestmentPlan computeInvestmentPlan(QualityAnalysis analysis, String basePackage, int investmentInMinutes)\nprivate int calculateOverallProfit(Set<QualityInvestmentPlanEntry> investmentPlanEntries)\nprivate Collection<QualityViolation> filterViolationsByArtefactNameStartingWith(String basePackage, List<QualityViolation> violations)\nprivate int calculateRoi(Set<QualityInvestmentPlanEntry> investmentPlanEntries, int overallProfit)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: QualityInvestmentPlanServiceTest\n\nclass_fields: private QualityInvestmentPlanService investmentPlanService;\nprivate ProfitCalculator profitCalculator;\nprivate QualityAnalysis analysis;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file investment-decision-making/src/main/java/org/codeqinvest/investment/QualityInvestmentPlanService.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public QualityInvestmentPlan computeInvestmentPlan(QualityAnalysis analysis, String basePackage, int investmentInMinutes) {\n Multimap<Double, QualityViolation> violationsByProfit = ArrayListMultimap.create();\n for (QualityViolation violation : filterViolationsByArtefactNameStartingWith(basePackage, analysis.getViolations())) {\n double profit = profitCalculator.calculateProfit(violation);\n if (Math.round(profit) > 0) {\n violationsByProfit.put(profit, violation);\n }\n }\n\n List<Double> allProfits = new ArrayList<Double>();\n for (Double profit : violationsByProfit.keySet()) {\n int numberOfViolations = violationsByProfit.get(profit).size();\n for (int i = 0; i < numberOfViolations; i++) {\n allProfits.add(profit);\n }\n }\n Collections.sort(allProfits, new DescendingComparator<Double>());\n\n Set<QualityInvestmentPlanEntry> investmentPlanEntries = Sets.newTreeSet();\n int toInvest = investmentInMinutes;\n int invested = 0;\n\n for (double profit : allProfits) {\n List<QualityViolation> violations = new ArrayList<QualityViolation>(violationsByProfit.get(profit));\n Collections.sort(violations, new ViolationByRemediationCostsComparator());\n\n for (QualityViolation violation : violations) {\n int remediationCost = violation.getRemediationCosts();\n if (remediationCost <= toInvest) {\n\n invested += remediationCost;\n toInvest -= remediationCost;\n\n QualityRequirement requirement = violation.getRequirement();\n investmentPlanEntries.add(new QualityInvestmentPlanEntry(\n requirement.getMetricIdentifier(),\n requirement.getOperator() + \" \" + requirement.getThreshold(),\n violation.getArtefact().getName(),\n violation.getArtefact().getShortClassName(),\n (int) Math.round(profit),\n remediationCost));\n }\n }\n }\n\n final int overallProfit = calculateOverallProfit(investmentPlanEntries);\n return new QualityInvestmentPlan(basePackage,\n invested,\n overallProfit,\n calculateRoi(investmentPlanEntries, overallProfit),\n investmentPlanEntries);\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n investment-decision-making/src/test/java/org/codeqinvest/investment/QualityInvestmentPlanServiceTest.java\n </TESTFILE7041>\n @Test\n public void shouldNotConsiderViolationsWithNegativeProfit() {\n when(profitCalculator.calculateProfit(any(QualityViolation.class))).thenReturn(-0.1);\n\n QualityInvestmentPlan qualityInvestmentPlan = investmentPlanService.computeInvestmentPlan(analysis, \"\", 50);\n assertThat(qualityInvestmentPlan.getProfitInMinutes()).isZero();\n assertThat(qualityInvestmentPlan.getRoi()).isZero();\n assertThat(qualityInvestmentPlan.getEntries()).isEmpty();\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/swp-uebersetzerbau-ss13/javabite
java
javabite-parser/src/main/java/swp_compiler_ss13/javabite/parser/astGenerator/ASTGenerator.java
javabite-parser/src/test/java/swp_compiler_ss13/javabite/parser/astGenerator/ASTGeneratorTest.java
public ASTJb generateAST() { // generate AST ASTJb ast = new ASTJb(); BlockNode rootNode = this.useBlockProduction(); ast.setRootNode(rootNode); return ast; }
generateAST
@Test public void testSimpleProgram(){ List<Token> tList=new LinkedList<>(); tList.add(new TokenJb(TokenType.LONG_SYMBOL, "long")); tList.add(new TokenJb(TokenType.ID, "i")); tList.add(new TokenJb(TokenType.SEMICOLON,";")); tList.add(new TokenJb(TokenType.ID, "i")); tList.add(new TokenJb(TokenType.ASSIGNOP, "=")); tList.add(new RealTokenJb(TokenType.REAL,"2.0")); tList.add(new TokenJb(TokenType.SEMICOLON,";")); TargetGrammar.SourceCode sc = syn.new SourceCode(tList); List<Reduction> res= syn.derivateDFLeftToRight(sc); instance=new ASTGenerator(res); AST ast=instance.generateAST(); }
testSimpleProgram
[ "useBlockProduction", "setRootNode" ]
[ "add", "add", "add", "add", "add", "add", "add", "derivateDFLeftToRight", "generateAST" ]
{ "class_fields": "ASTGenerator instance;\nLogger logger=LoggerFactory.getLogger(this.getClass());\nTargetGrammar syn=new TargetGrammar();", "class_name": "ASTGeneratorTest" }
{ "class_fields": "boolean debug=false;\nLogger logger=LoggerFactory.getLogger(ASTGenerator.class);\nList<TargetGrammar.Reduction> reductions;\nStack<BlockNodeJb> currentBlocks;\nList<Object> nonDisposedTokenConsumer=new LinkedList<>();", "class_name": "ASTGenerator", "method_signatures": "public ASTGenerator(List<TargetGrammar.Reduction> reductions)\npublic ASTJb generateAST()\nprivate BlockNodeJb useBlockProduction()\nprivate BlockNodeJb useBlockProductionDeclarationsOnly()\nprivate void useDeclsProduction()\nprivate DeclarationNodeJb useDeclProduction()\nprivate DeclarationNodeJb useDeclarationTypeProduction()\nprivate void useStmtsProduction()\nprivate StatementNodeJb useStmtProduction()\nprivate IdentifierNodeJb useLocProduction()\nprivate ExpressionNodeJb useAssignProduction()\nprivate ExpressionNodeJb useBoolProduction()\nprivate ExpressionNodeJb useJoinProduction()\nprivate ExpressionNodeJb useEqualityProduction()\nprivate ExpressionNodeJb useRelProduction()\nprivate ExpressionNodeJb useExprProduction()\nprivate ExpressionNodeJb useTermProduction()\nprivate ExpressionNodeJb useUnaryProduction()\nprivate ExpressionNodeJb useFactorProduction()" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: javabite-parser/src/main/java/swp_compiler_ss13/javabite/parser/astGenerator/ASTGenerator.java for which to generate the test case is:\nclass_name: ASTGenerator\n\nclass_fields: boolean debug=false;\nLogger logger=LoggerFactory.getLogger(ASTGenerator.class);\nList<TargetGrammar.Reduction> reductions;\nStack<BlockNodeJb> currentBlocks;\nList<Object> nonDisposedTokenConsumer=new LinkedList<>();\n\nmethod_signatures: public ASTGenerator(List<TargetGrammar.Reduction> reductions)\npublic ASTJb generateAST()\nprivate BlockNodeJb useBlockProduction()\nprivate BlockNodeJb useBlockProductionDeclarationsOnly()\nprivate void useDeclsProduction()\nprivate DeclarationNodeJb useDeclProduction()\nprivate DeclarationNodeJb useDeclarationTypeProduction()\nprivate void useStmtsProduction()\nprivate StatementNodeJb useStmtProduction()\nprivate IdentifierNodeJb useLocProduction()\nprivate ExpressionNodeJb useAssignProduction()\nprivate ExpressionNodeJb useBoolProduction()\nprivate ExpressionNodeJb useJoinProduction()\nprivate ExpressionNodeJb useEqualityProduction()\nprivate ExpressionNodeJb useRelProduction()\nprivate ExpressionNodeJb useExprProduction()\nprivate ExpressionNodeJb useTermProduction()\nprivate ExpressionNodeJb useUnaryProduction()\nprivate ExpressionNodeJb useFactorProduction()\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: ASTGeneratorTest\n\nclass_fields: ASTGenerator instance;\nLogger logger=LoggerFactory.getLogger(this.getClass());\nTargetGrammar syn=new TargetGrammar();\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file javabite-parser/src/main/java/swp_compiler_ss13/javabite/parser/astGenerator/ASTGenerator.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public ASTJb generateAST() {\n\t\t// generate AST\n\t\tASTJb ast = new ASTJb();\n\n\t\tBlockNode rootNode = this.useBlockProduction();\n\t\tast.setRootNode(rootNode);\n\t\n\t\t\n\t\treturn ast;\n\t}\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n javabite-parser/src/test/java/swp_compiler_ss13/javabite/parser/astGenerator/ASTGeneratorTest.java\n </TESTFILE7041>\n @Test\n\tpublic void testSimpleProgram(){\n\t\tList<Token> tList=new LinkedList<>();\n\t\ttList.add(new TokenJb(TokenType.LONG_SYMBOL, \"long\"));\n\t\ttList.add(new TokenJb(TokenType.ID, \"i\"));\n\t\ttList.add(new TokenJb(TokenType.SEMICOLON,\";\"));\n\t\ttList.add(new TokenJb(TokenType.ID, \"i\"));\n\t\ttList.add(new TokenJb(TokenType.ASSIGNOP, \"=\"));\n\t\ttList.add(new RealTokenJb(TokenType.REAL,\"2.0\"));\n\t\ttList.add(new TokenJb(TokenType.SEMICOLON,\";\"));\n\t\tTargetGrammar.SourceCode sc = syn.new SourceCode(tList);\n\t\tList<Reduction> res= syn.derivateDFLeftToRight(sc);\n\t\tinstance=new ASTGenerator(res);\n\t\tAST ast=instance.generateAST();\n\t}\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/adobe/aem-modernize-tools
java
bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/PageRewriteRule.java
bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/rules/PageRewriteRuleTest.java
@Activate protected void activate(ComponentContext context) throws RepositoryException, ConfigurationException { @SuppressWarnings("unchecked") Dictionary<String, Object> props = context.getProperties(); // read service ranking property Object ranking = props.get("service.ranking"); if (ranking != null) { try { this.ranking = (Integer) ranking; } catch (ClassCastException e) { // ignore logger.warn("Found invalid service.ranking value {}", ranking); } } staticTemplate = PropertiesUtil.toString(props.get(PROP_STATIC_TEMPLATE), null); if (StringUtils.isBlank(staticTemplate)) { throw new ConfigurationException(PROP_STATIC_TEMPLATE, "Static template is required."); } editableTemplate = PropertiesUtil.toString(props.get(PROP_EDITABLE_TEMPLATE), null); if (StringUtils.isBlank(editableTemplate)) { throw new ConfigurationException(PROP_EDITABLE_TEMPLATE, "Editable template is required."); } slingResourceType = PropertiesUtil.toString(props.get(PROP_SLING_RESOURCE_TYPE), null); if (StringUtils.isBlank(slingResourceType)) { throw new ConfigurationException(PROP_SLING_RESOURCE_TYPE, "Sling Resource Type is required."); } String[] orders = PropertiesUtil.toStringArray(props.get(PROP_ORDER_COMPONENTS), new String[] {}); for (String o : orders) { String[] tmp = StringUtils.split(o, ":", 2); if (tmp.length < 1) { continue; } if (tmp.length == 2) { nested.add(tmp[1]); } String key = tmp.length == 2 ? tmp[0] : RESPONSIVE_GRID_NODE_NAME; String value = tmp.length == 2 ? tmp[1] : tmp[0]; if (componentOrdering.get(key) == null) { componentOrdering.put(key, new ArrayList<>()); } componentOrdering.get(key).add(value); } componentsToRemove = PropertiesUtil.toStringArray(props.get(PROP_REMOVE_COMPONENTS), new String[] {}); componentRenamed = RewriteUtils.toMap( PropertiesUtil.toStringArray(props.get(PROP_RENAME_COMPONENTS), new String[] {}), ":"); // Add any renamed component that contains a path separator for (String val : componentRenamed.values()) { if (val.contains("/")) { nested.add(val); } } }
activate
@Test public void testActivateNoRemove() { BundleContext bundleContext = MockOsgi.newBundleContext(); PageRewriteRule rule = new PageRewriteRule(); MockOsgi.injectServices(rule, bundleContext); Dictionary<String, Object> props = new Hashtable<>(); props.put("static.template", STATIC_TEMPLATE); props.put("editable.template", EDITABLE_TEMPLATE); props.put("sling.resourceType", SLING_RESOURCE_TYPE); props.put("order.components", ORDER); MockOsgi.activate(rule, bundleContext, props); }
testActivateNoRemove
[ "getProperties", "get", "warn", "toString", "get", "isBlank", "toString", "get", "isBlank", "toString", "get", "isBlank", "toStringArray", "get", "split", "add", "get", "put", "add", "get", "toStringArray", "get", "toMap", "toStringArray", "get", "values", "contains", "add" ]
[ "newBundleContext", "injectServices", "put", "put", "put", "put", "activate" ]
{ "class_fields": "private final String ROOTS_PATH = \"/libs/cq/modernize/templatestructure/content/roots\";\nprivate static final String STATIC_TEMPLATE = \"/apps/geometrixx/templates/homepage\";\nprivate static final String EDITABLE_TEMPLATE = \"/conf/geodemo/settings/wcm/templates/geometrixx-demo-home-page\";\nprivate static final String SLING_RESOURCE_TYPE = \"geodemo/components/structure/page\";\nprivate static final String[] ORDER = {\n \"responsivegrid\",\n \"responsivegrid_12345\",\n \"responsivegrid:header\",\n \"responsivegrid:title\"\n };\nprivate static final String[] REMOVE = { \"toBeRemoved\" };\nprivate static final String[] RENAME = { \"par:responsivegrid/responsivegrid\", \"rightpar:responsivegrid_12345\" };\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\nprivate BundleContext bundleContext;", "class_name": "PageRewriteRuleTest" }
{ "class_fields": "private static final Logger logger = LoggerFactory.getLogger(PageRewriteRule.class);\n@org.apache.felix.scr.annotations.Property(label = \"Static Template\",\n description = \"The static template which will be updated by this Page Rewrite Rule\")\n private static final String PROP_STATIC_TEMPLATE = \"static.template\";\nprivate String staticTemplate;\n@org.apache.felix.scr.annotations.Property(label = \"Editable Template\",\n description = \"The value to update the cq:template with, this should be the new Editable Template.\")\n private static final String PROP_EDITABLE_TEMPLATE = \"editable.template\";\nprivate String editableTemplate;\n@org.apache.felix.scr.annotations.Property(label = \"Sling Resource Type\",\n description = \"The value to update the sling:resourceType with, this should be the same as the \" +\n \"new Editable Template.\")\n private static final String PROP_SLING_RESOURCE_TYPE = \"sling.resourceType\";\nprivate String slingResourceType;\n@org.apache.felix.scr.annotations.Property(label = \"Component Order\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify the order of the components in the new responsive grid. \" +\n \"Any found and unspecified are moved to the end in arbitrary order.\")\n private static final String PROP_ORDER_COMPONENTS = \"order.components\";\nprivate Map<String, List<String>> componentOrdering = new HashMap<>();\n@org.apache.felix.scr.annotations.Property(label = \"Remove Components\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify any components that may exist on the static page that can be removed.\")\n private static final String PROP_REMOVE_COMPONENTS = \"remove.components\";\nprivate String[] componentsToRemove;\n@org.apache.felix.scr.annotations.Property(label = \"Rename Components\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify new name for components as they are moved into the root responsive grid.\")\n private static final String PROP_RENAME_COMPONENTS = \"rename.components\";\nprivate Map<String, String> componentRenamed;\nprivate List<String> nested = new ArrayList<>();\nprivate int ranking = Integer.MAX_VALUE;\nprivate static final String RESPONSIVE_GRID_NODE_NAME = \"root\";", "class_name": "PageRewriteRule implements PageStructureRewriteRule", "method_signatures": "@Override public boolean matches(Node root)\n@Override public Node applyTo(Node root, Set<Node> finalNodes)\nprivate List<String> moveStructure(Node source, Node target, List<String> ignored)\nprivate void reorderChildren(List<String> names, List<String> order, Node parent)\n@Activate protected void activate(ComponentContext context)\n@Override public String getStaticTemplate()\n@Override public int getRanking()" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/PageRewriteRule.java for which to generate the test case is:\nclass_name: PageRewriteRule implements PageStructureRewriteRule\n\nclass_fields: private static final Logger logger = LoggerFactory.getLogger(PageRewriteRule.class);\n@org.apache.felix.scr.annotations.Property(label = \"Static Template\",\n description = \"The static template which will be updated by this Page Rewrite Rule\")\n private static final String PROP_STATIC_TEMPLATE = \"static.template\";\nprivate String staticTemplate;\n@org.apache.felix.scr.annotations.Property(label = \"Editable Template\",\n description = \"The value to update the cq:template with, this should be the new Editable Template.\")\n private static final String PROP_EDITABLE_TEMPLATE = \"editable.template\";\nprivate String editableTemplate;\n@org.apache.felix.scr.annotations.Property(label = \"Sling Resource Type\",\n description = \"The value to update the sling:resourceType with, this should be the same as the \" +\n \"new Editable Template.\")\n private static final String PROP_SLING_RESOURCE_TYPE = \"sling.resourceType\";\nprivate String slingResourceType;\n@org.apache.felix.scr.annotations.Property(label = \"Component Order\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify the order of the components in the new responsive grid. \" +\n \"Any found and unspecified are moved to the end in arbitrary order.\")\n private static final String PROP_ORDER_COMPONENTS = \"order.components\";\nprivate Map<String, List<String>> componentOrdering = new HashMap<>();\n@org.apache.felix.scr.annotations.Property(label = \"Remove Components\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify any components that may exist on the static page that can be removed.\")\n private static final String PROP_REMOVE_COMPONENTS = \"remove.components\";\nprivate String[] componentsToRemove;\n@org.apache.felix.scr.annotations.Property(label = \"Rename Components\",\n cardinality = Integer.MAX_VALUE,\n description = \"Specify new name for components as they are moved into the root responsive grid.\")\n private static final String PROP_RENAME_COMPONENTS = \"rename.components\";\nprivate Map<String, String> componentRenamed;\nprivate List<String> nested = new ArrayList<>();\nprivate int ranking = Integer.MAX_VALUE;\nprivate static final String RESPONSIVE_GRID_NODE_NAME = \"root\";\n\nmethod_signatures: @Override public boolean matches(Node root)\n@Override public Node applyTo(Node root, Set<Node> finalNodes)\nprivate List<String> moveStructure(Node source, Node target, List<String> ignored)\nprivate void reorderChildren(List<String> names, List<String> order, Node parent)\n@Activate protected void activate(ComponentContext context)\n@Override public String getStaticTemplate()\n@Override public int getRanking()\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: PageRewriteRuleTest\n\nclass_fields: private final String ROOTS_PATH = \"/libs/cq/modernize/templatestructure/content/roots\";\nprivate static final String STATIC_TEMPLATE = \"/apps/geometrixx/templates/homepage\";\nprivate static final String EDITABLE_TEMPLATE = \"/conf/geodemo/settings/wcm/templates/geometrixx-demo-home-page\";\nprivate static final String SLING_RESOURCE_TYPE = \"geodemo/components/structure/page\";\nprivate static final String[] ORDER = {\n \"responsivegrid\",\n \"responsivegrid_12345\",\n \"responsivegrid:header\",\n \"responsivegrid:title\"\n };\nprivate static final String[] REMOVE = { \"toBeRemoved\" };\nprivate static final String[] RENAME = { \"par:responsivegrid/responsivegrid\", \"rightpar:responsivegrid_12345\" };\n@Rule\n public final SlingContext context = new SlingContext(ResourceResolverType.JCR_OAK);\nprivate BundleContext bundleContext;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file bundles/aem-modernize-tools/src/main/java/com/adobe/aem/modernize/structure/impl/rules/PageRewriteRule.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Activate\n protected void activate(ComponentContext context) throws RepositoryException, ConfigurationException {\n @SuppressWarnings(\"unchecked\")\n Dictionary<String, Object> props = context.getProperties();\n // read service ranking property\n Object ranking = props.get(\"service.ranking\");\n if (ranking != null) {\n try {\n this.ranking = (Integer) ranking;\n } catch (ClassCastException e) {\n // ignore\n logger.warn(\"Found invalid service.ranking value {}\", ranking);\n }\n }\n\n staticTemplate = PropertiesUtil.toString(props.get(PROP_STATIC_TEMPLATE), null);\n if (StringUtils.isBlank(staticTemplate)) {\n throw new ConfigurationException(PROP_STATIC_TEMPLATE, \"Static template is required.\");\n }\n\n editableTemplate = PropertiesUtil.toString(props.get(PROP_EDITABLE_TEMPLATE), null);\n if (StringUtils.isBlank(editableTemplate)) {\n throw new ConfigurationException(PROP_EDITABLE_TEMPLATE, \"Editable template is required.\");\n }\n\n slingResourceType = PropertiesUtil.toString(props.get(PROP_SLING_RESOURCE_TYPE), null);\n if (StringUtils.isBlank(slingResourceType)) {\n throw new ConfigurationException(PROP_SLING_RESOURCE_TYPE, \"Sling Resource Type is required.\");\n }\n\n\n\n String[] orders = PropertiesUtil.toStringArray(props.get(PROP_ORDER_COMPONENTS), new String[] {});\n for (String o : orders) {\n String[] tmp = StringUtils.split(o, \":\", 2);\n if (tmp.length < 1) {\n continue;\n }\n if (tmp.length == 2) {\n nested.add(tmp[1]);\n }\n String key = tmp.length == 2 ? tmp[0] : RESPONSIVE_GRID_NODE_NAME;\n String value = tmp.length == 2 ? tmp[1] : tmp[0];\n if (componentOrdering.get(key) == null) {\n componentOrdering.put(key, new ArrayList<>());\n }\n componentOrdering.get(key).add(value);\n\n }\n\n componentsToRemove = PropertiesUtil.toStringArray(props.get(PROP_REMOVE_COMPONENTS), new String[] {});\n\n componentRenamed = RewriteUtils.toMap(\n PropertiesUtil.toStringArray(props.get(PROP_RENAME_COMPONENTS), new String[] {}), \":\");\n\n // Add any renamed component that contains a path separator\n for (String val : componentRenamed.values()) {\n if (val.contains(\"/\")) {\n nested.add(val);\n }\n }\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n bundles/aem-modernize-tools/src/test/java/com/adobe/aem/modernize/structure/impl/rules/PageRewriteRuleTest.java\n </TESTFILE7041>\n @Test\n public void testActivateNoRemove() {\n BundleContext bundleContext = MockOsgi.newBundleContext();\n PageRewriteRule rule = new PageRewriteRule();\n MockOsgi.injectServices(rule, bundleContext);\n Dictionary<String, Object> props = new Hashtable<>();\n props.put(\"static.template\", STATIC_TEMPLATE);\n props.put(\"editable.template\", EDITABLE_TEMPLATE);\n props.put(\"sling.resourceType\", SLING_RESOURCE_TYPE);\n props.put(\"order.components\", ORDER);\n MockOsgi.activate(rule, bundleContext, props);\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/sleuthkit/hadoop_framework
java
core/src/main/java/com/lightboxtechnologies/nsrl/HashRecordProcessor.java
core/src/test/java/com/lightboxtechnologies/nsrl/HashRecordProcessorTest.java
public HashData process(String[] col) throws BadDataException { if (col.length < 8) { throw new BadDataException("too few columns"); } else if (col.length > 8) { throw new BadDataException("too many columns"); } long size = 0; try { size = Long.parseLong(col[4]); } catch (NumberFormatException e) { throw new BadDataException(e); } if (size < 0) { throw new BadDataException("size < 0"); } int prod_code = 0; try { prod_code = Integer.parseInt(col[5]); } catch (NumberFormatException e) { throw new BadDataException(e); } if (prod_code < 0) { throw new BadDataException("prod_code < 0"); } byte[] sha1, md5, crc32; try { sha1 = (byte[]) hex.decode(col[0]); md5 = (byte[]) hex.decode(col[1]); crc32 = (byte[]) hex.decode(col[2]); } catch (DecoderException e) { throw new BadDataException(e); } return new HashData( sha1, md5, crc32, col[3], size, prod_code, col[6], col[7] ); }
process
@Test(expected=BadDataException.class) public void processTooFewCols() throws BadDataException { final RecordProcessor<HashData> proc = new HashRecordProcessor(); proc.process(new String[] { "foo" }); }
processTooFewCols
[ "parseLong", "parseInt", "decode", "decode", "decode" ]
[ "process" ]
{ "class_fields": "private static final Hex hex = new Hex();\nprivate static final String name = \"c'est ne pas un name\";\nprivate static final long size = 42;\nprivate static final int prod_code = 13;\nprivate static final String os_code = \"89\";\nprivate static final String special_code = \"so fucking special\";\nprivate static byte[] sha1;\nprivate static byte[] md5;\nprivate static byte[] crc32;", "class_name": "HashRecordProcessorTest" }
{ "class_fields": "private static final Hex hex = new Hex();", "class_name": "HashRecordProcessor implements RecordProcessor<HashData>", "method_signatures": "public HashData process(String[] col)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: core/src/main/java/com/lightboxtechnologies/nsrl/HashRecordProcessor.java for which to generate the test case is:\nclass_name: HashRecordProcessor implements RecordProcessor<HashData>\n\nclass_fields: private static final Hex hex = new Hex();\n\nmethod_signatures: public HashData process(String[] col)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: HashRecordProcessorTest\n\nclass_fields: private static final Hex hex = new Hex();\nprivate static final String name = \"c'est ne pas un name\";\nprivate static final long size = 42;\nprivate static final int prod_code = 13;\nprivate static final String os_code = \"89\";\nprivate static final String special_code = \"so fucking special\";\nprivate static byte[] sha1;\nprivate static byte[] md5;\nprivate static byte[] crc32;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file core/src/main/java/com/lightboxtechnologies/nsrl/HashRecordProcessor.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public HashData process(String[] col) throws BadDataException {\n if (col.length < 8) {\n throw new BadDataException(\"too few columns\");\n }\n else if (col.length > 8) {\n throw new BadDataException(\"too many columns\");\n }\n\n long size = 0;\n try {\n size = Long.parseLong(col[4]);\n }\n catch (NumberFormatException e) {\n throw new BadDataException(e);\n }\n\n if (size < 0) {\n throw new BadDataException(\"size < 0\");\n }\n\n int prod_code = 0;\n try {\n prod_code = Integer.parseInt(col[5]);\n }\n catch (NumberFormatException e) {\n throw new BadDataException(e);\n }\n\n if (prod_code < 0) {\n throw new BadDataException(\"prod_code < 0\");\n }\n\n byte[] sha1, md5, crc32;\n try {\n sha1 = (byte[]) hex.decode(col[0]);\n md5 = (byte[]) hex.decode(col[1]);\n crc32 = (byte[]) hex.decode(col[2]);\n }\n catch (DecoderException e) {\n throw new BadDataException(e);\n }\n\n return new HashData(\n sha1, md5, crc32, col[3], size, prod_code, col[6], col[7]\n );\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n core/src/test/java/com/lightboxtechnologies/nsrl/HashRecordProcessorTest.java\n </TESTFILE7041>\n @Test(expected=BadDataException.class)\n public void processTooFewCols() throws BadDataException {\n final RecordProcessor<HashData> proc = new HashRecordProcessor();\n proc.process(new String[] { \"foo\" });\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/CodeQInvest/codeq-invest
java
quality-assessment/src/main/java/org/codeqinvest/quality/analysis/ViolationsCalculatorService.java
quality-assessment/src/test/java/org/codeqinvest/quality/analysis/ViolationsCalculatorServiceTest.java
ViolationsAnalysisResult calculateAllViolation(Project project) { if (!sonarConnectionCheckerService.isReachable(project.getSonarConnectionSettings())) { return ViolationsAnalysisResult.createFailedAnalysis(Collections.<ViolationOccurence>emptyList(), "sonar project is not reachable with supplied connection settings: " + project.getSonarConnectionSettings().toString()); } log.info("Start violation analysis for project {}", project.getName()); Map<String, Artefact> artefactsThatHaveAtLeastOneViolation = Maps.newHashMap(); List<ViolationOccurence> violations = new ArrayList<ViolationOccurence>(); long violationsOfCurrentArtefact = 0; for (Resource resource : resourcesCollectorService.collectAllResourcesForProject(project.getSonarConnectionSettings())) { log.info("Analyzing resource {}", resource.getLongName()); violationsOfCurrentArtefact = 0; for (QualityRequirement qualityRequirement : project.getProfile().getRequirements()) { final double weightingMetricValue; final double metricValue; try { weightingMetricValue = metricCollectorService.collectMetricForResource(project.getSonarConnectionSettings(), resource.getKey(), qualityRequirement.getWeightingMetricIdentifier()); metricValue = metricCollectorService.collectMetricForResource(project.getSonarConnectionSettings(), resource.getKey(), qualityRequirement.getCriteria().getMetricIdentifier()); } catch (ResourceNotFoundException e) { log.warn("Quality analysis run failed due one resource or metric could not be find in Sonar!", e); return ViolationsAnalysisResult.createFailedAnalysis(violations, "resource " + resource.getKey() + " or metric " + qualityRequirement.getCriteria().getMetricIdentifier() + " not available on Sonar"); } if (qualityRequirement.isViolated(metricValue)) { final Artefact artefact; if (artefactsThatHaveAtLeastOneViolation.containsKey(resource.getKey())) { artefact = artefactsThatHaveAtLeastOneViolation.get(resource.getKey()); } else { artefact = new Artefact(resource.getLongName(), resource.getKey()); artefactsThatHaveAtLeastOneViolation.put(resource.getKey(), artefact); } log.debug("Create quality violation for artefact {} with violated requirement {}", artefact.getName(), qualityRequirement.getCriteria()); violations.add(new ViolationOccurence(qualityRequirement, artefact, weightingMetricValue)); violationsOfCurrentArtefact++; } } log.info("Found {} violations at resource {}", violationsOfCurrentArtefact, resource.getLongName()); } log.info("Successfully analysed project {} and found {} quality violations in {} artefacts", project.getName(), violations.size(), artefactsThatHaveAtLeastOneViolation.size()); return ViolationsAnalysisResult.createSuccessfulAnalysis(violations); }
calculateAllViolation
@Test public void failedViolationAnalysisResultWhenOneMetricValueIsNotReachable() throws ResourceNotFoundException { Resource dummyResource = new Resource(); ResourcesCollectorService resourcesCollectorService = mock(ResourcesCollectorService.class); when(resourcesCollectorService.collectAllResourcesForProject(any(SonarConnectionSettings.class))) .thenReturn(Arrays.asList(dummyResource)); MetricCollectorService metricCollectorService = mock(MetricCollectorService.class); when(metricCollectorService.collectMetricForResource(any(SonarConnectionSettings.class), anyString(), anyString())) .thenThrow(ResourceNotFoundException.class); ViolationsCalculatorService violationsCalculatorService = new ViolationsCalculatorService(connectionCheckerService, resourcesCollectorService, metricCollectorService); assertThat(violationsCalculatorService.calculateAllViolation(project).isSuccessful()).isFalse(); }
failedViolationAnalysisResultWhenOneMetricValueIsNotReachable
[ "isReachable", "getSonarConnectionSettings", "createFailedAnalysis", "emptyList", "toString", "getSonarConnectionSettings", "info", "getName", "newHashMap", "collectAllResourcesForProject", "getSonarConnectionSettings", "info", "getLongName", "getRequirements", "getProfile", "collectMetricForResource", "getSonarConnectionSettings", "getKey", "getWeightingMetricIdentifier", "collectMetricForResource", "getSonarConnectionSettings", "getKey", "getMetricIdentifier", "getCriteria", "warn", "createFailedAnalysis", "getKey", "getMetricIdentifier", "getCriteria", "isViolated", "containsKey", "getKey", "get", "getKey", "getLongName", "getKey", "put", "getKey", "debug", "getName", "getCriteria", "add", "info", "getLongName", "info", "getName", "size", "size", "createSuccessfulAnalysis" ]
[ "mock", "thenReturn", "when", "collectAllResourcesForProject", "any", "asList", "mock", "thenThrow", "when", "collectMetricForResource", "any", "anyString", "anyString", "isFalse", "assertThat", "isSuccessful", "calculateAllViolation" ]
{ "class_fields": "private final String defaultSonarHost = \"http://localhost\";\nprivate QualityProfile profile;\nprivate QualityRequirement firstRequirement;\nprivate QualityRequirement secondRequirement;\nprivate Project project;\nprivate SonarConnectionCheckerService connectionCheckerService;", "class_name": "ViolationsCalculatorServiceTest" }
{ "class_fields": "private final SonarConnectionCheckerService sonarConnectionCheckerService;\nprivate final ResourcesCollectorService resourcesCollectorService;\nprivate final MetricCollectorService metricCollectorService;", "class_name": "ViolationsCalculatorService", "method_signatures": "@Autowired public ViolationsCalculatorService(SonarConnectionCheckerService sonarConnectionCheckerService,\n ResourcesCollectorService resourcesCollectorService,\n MetricCollectorService metricCollectorService)\n ViolationsAnalysisResult calculateAllViolation(Project project)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: quality-assessment/src/main/java/org/codeqinvest/quality/analysis/ViolationsCalculatorService.java for which to generate the test case is:\nclass_name: ViolationsCalculatorService\n\nclass_fields: private final SonarConnectionCheckerService sonarConnectionCheckerService;\nprivate final ResourcesCollectorService resourcesCollectorService;\nprivate final MetricCollectorService metricCollectorService;\n\nmethod_signatures: @Autowired public ViolationsCalculatorService(SonarConnectionCheckerService sonarConnectionCheckerService,\n ResourcesCollectorService resourcesCollectorService,\n MetricCollectorService metricCollectorService)\n ViolationsAnalysisResult calculateAllViolation(Project project)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: ViolationsCalculatorServiceTest\n\nclass_fields: private final String defaultSonarHost = \"http://localhost\";\nprivate QualityProfile profile;\nprivate QualityRequirement firstRequirement;\nprivate QualityRequirement secondRequirement;\nprivate Project project;\nprivate SonarConnectionCheckerService connectionCheckerService;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file quality-assessment/src/main/java/org/codeqinvest/quality/analysis/ViolationsCalculatorService.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n ViolationsAnalysisResult calculateAllViolation(Project project) {\n if (!sonarConnectionCheckerService.isReachable(project.getSonarConnectionSettings())) {\n return ViolationsAnalysisResult.createFailedAnalysis(Collections.<ViolationOccurence>emptyList(),\n \"sonar project is not reachable with supplied connection settings: \" + project.getSonarConnectionSettings().toString());\n }\n\n log.info(\"Start violation analysis for project {}\", project.getName());\n Map<String, Artefact> artefactsThatHaveAtLeastOneViolation = Maps.newHashMap();\n List<ViolationOccurence> violations = new ArrayList<ViolationOccurence>();\n long violationsOfCurrentArtefact = 0;\n for (Resource resource : resourcesCollectorService.collectAllResourcesForProject(project.getSonarConnectionSettings())) {\n log.info(\"Analyzing resource {}\", resource.getLongName());\n violationsOfCurrentArtefact = 0;\n for (QualityRequirement qualityRequirement : project.getProfile().getRequirements()) {\n\n final double weightingMetricValue;\n final double metricValue;\n try {\n weightingMetricValue = metricCollectorService.collectMetricForResource(project.getSonarConnectionSettings(),\n resource.getKey(), qualityRequirement.getWeightingMetricIdentifier());\n metricValue = metricCollectorService.collectMetricForResource(project.getSonarConnectionSettings(),\n resource.getKey(), qualityRequirement.getCriteria().getMetricIdentifier());\n } catch (ResourceNotFoundException e) {\n log.warn(\"Quality analysis run failed due one resource or metric could not be find in Sonar!\", e);\n return ViolationsAnalysisResult.createFailedAnalysis(violations, \"resource \" + resource.getKey()\n + \" or metric \" + qualityRequirement.getCriteria().getMetricIdentifier() + \" not available on Sonar\");\n }\n\n if (qualityRequirement.isViolated(metricValue)) {\n final Artefact artefact;\n if (artefactsThatHaveAtLeastOneViolation.containsKey(resource.getKey())) {\n artefact = artefactsThatHaveAtLeastOneViolation.get(resource.getKey());\n } else {\n artefact = new Artefact(resource.getLongName(), resource.getKey());\n artefactsThatHaveAtLeastOneViolation.put(resource.getKey(), artefact);\n }\n\n log.debug(\"Create quality violation for artefact {} with violated requirement {}\",\n artefact.getName(), qualityRequirement.getCriteria());\n violations.add(new ViolationOccurence(qualityRequirement, artefact, weightingMetricValue));\n violationsOfCurrentArtefact++;\n }\n }\n log.info(\"Found {} violations at resource {}\", violationsOfCurrentArtefact, resource.getLongName());\n }\n\n log.info(\"Successfully analysed project {} and found {} quality violations in {} artefacts\",\n project.getName(), violations.size(), artefactsThatHaveAtLeastOneViolation.size());\n return ViolationsAnalysisResult.createSuccessfulAnalysis(violations);\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n quality-assessment/src/test/java/org/codeqinvest/quality/analysis/ViolationsCalculatorServiceTest.java\n </TESTFILE7041>\n @Test\n public void failedViolationAnalysisResultWhenOneMetricValueIsNotReachable() throws ResourceNotFoundException {\n Resource dummyResource = new Resource();\n ResourcesCollectorService resourcesCollectorService = mock(ResourcesCollectorService.class);\n when(resourcesCollectorService.collectAllResourcesForProject(any(SonarConnectionSettings.class)))\n .thenReturn(Arrays.asList(dummyResource));\n\n MetricCollectorService metricCollectorService = mock(MetricCollectorService.class);\n when(metricCollectorService.collectMetricForResource(any(SonarConnectionSettings.class), anyString(), anyString()))\n .thenThrow(ResourceNotFoundException.class);\n\n ViolationsCalculatorService violationsCalculatorService = new ViolationsCalculatorService(connectionCheckerService,\n resourcesCollectorService, metricCollectorService);\n assertThat(violationsCalculatorService.calculateAllViolation(project).isSuccessful()).isFalse();\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/swp-uebersetzerbau-ss13/javabite
java
javabite-code-gen/src/main/java/swp_compiler_ss13/javabite/codegen/CastingAst2CodeConverter.java
javabite-code-gen/src/test/java/swp_compiler_ss13/javabite/codegen/CastingAst2CodeConverterTest.java
protected IdentifierData cast(Type goalType, IdentifierData oldId) throws IntermediateCodeGeneratorException { if (oldId.getIdentifier().startsWith("#")) { IdentifierData tmpId = icg.generateTempIdentifier(oldId.getType()); icg.addQuadruple(QuadrupleFactoryJb.generateAssignment(tmpId, oldId)); oldId = tmpId; } IdentifierData newId = icg.generateTempIdentifier(goalType); icg.addQuadruple(QuadrupleFactoryJb.generateCast(newId, oldId)); return newId; }
cast
@Test public void testCastBooleanToLongFails() { try { when(converter.icg.generateTempIdentifier(any(LongType.class))) .thenReturn(new IdentifierData("tmp", new LongType())); converter.cast(new LongType(), new IdentifierData("test", new BooleanType())); fail(); } catch (IntermediateCodeGeneratorException e) { } }
testCastBooleanToLongFails
[ "startsWith", "getIdentifier", "generateTempIdentifier", "getType", "addQuadruple", "generateAssignment", "generateTempIdentifier", "addQuadruple", "generateCast" ]
[ "thenReturn", "when", "generateTempIdentifier", "any", "cast", "fail" ]
{ "class_fields": "CastingAst2CodeConverter converter;", "class_name": "CastingAst2CodeConverterTest" }
{ "class_fields": "", "class_name": "CastingAst2CodeConverter extends AbstractAst2CodeConverter", "method_signatures": "protected IdentifierData cast(Type goalType, IdentifierData oldId)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: javabite-code-gen/src/main/java/swp_compiler_ss13/javabite/codegen/CastingAst2CodeConverter.java for which to generate the test case is:\nclass_name: CastingAst2CodeConverter extends AbstractAst2CodeConverter\n\nclass_fields: \n\nmethod_signatures: protected IdentifierData cast(Type goalType, IdentifierData oldId)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: CastingAst2CodeConverterTest\n\nclass_fields: CastingAst2CodeConverter converter;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file javabite-code-gen/src/main/java/swp_compiler_ss13/javabite/codegen/CastingAst2CodeConverter.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n protected IdentifierData cast(Type goalType, IdentifierData oldId) throws IntermediateCodeGeneratorException {\n\t\tif (oldId.getIdentifier().startsWith(\"#\")) {\n\t\t\tIdentifierData tmpId = icg.generateTempIdentifier(oldId.getType());\n\t\t\ticg.addQuadruple(QuadrupleFactoryJb.generateAssignment(tmpId, oldId));\n\t\t\toldId = tmpId;\n\t\t}\n\t\tIdentifierData newId = icg.generateTempIdentifier(goalType);\n\t\ticg.addQuadruple(QuadrupleFactoryJb.generateCast(newId, oldId));\n\t\treturn newId;\n\t}\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n javabite-code-gen/src/test/java/swp_compiler_ss13/javabite/codegen/CastingAst2CodeConverterTest.java\n </TESTFILE7041>\n @Test\n\tpublic void testCastBooleanToLongFails() {\n\t\ttry {\n\t\t\twhen(converter.icg.generateTempIdentifier(any(LongType.class)))\n\t\t\t\t\t.thenReturn(new IdentifierData(\"tmp\", new LongType()));\n\t\t\tconverter.cast(new LongType(), new IdentifierData(\"test\",\n\t\t\t\t\tnew BooleanType()));\n\t\t\tfail();\n\t\t} catch (IntermediateCodeGeneratorException e) {\n\n\t\t}\n\t}\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/sleuthkit/hadoop_framework
java
core/src/main/java/com/lightboxtechnologies/nsrl/RecordLoader.java
core/src/test/java/com/lightboxtechnologies/nsrl/RecordLoaderTest.java
public void load(Reader r, LineHandler lh) throws IOException { BufferedReader br = null; try { br = new BufferedReader(r); // first line gives column names, skip it br.readLine(); // process each line String line; long linenum = 0; while ((line = br.readLine()) != null) { ++linenum; lh.handle(line, linenum); } br.close(); } finally { IOUtils.closeQuietly(br); } }
load
@Test public void loadInputStream() throws IOException { final LineHandler lh = buildLineHandler(limit, line); final RecordLoader loader = new RecordLoader(); InputStream in = null; try { in = IOUtils.toInputStream(buildInput(limit, line).toString()); loader.load(in, lh); in.close(); } finally { IOUtils.closeQuietly(in); } }
loadInputStream
[ "readLine", "readLine", "handle", "close", "closeQuietly" ]
[ "buildLineHandler", "toInputStream", "toString", "buildInput", "load", "close", "closeQuietly" ]
{ "class_fields": "private final Mockery context = new JUnit4Mockery();\nprivate static final String line = \"Jackdaws love my great sphinx of quartz.\";\nprivate static final int limit = 10;", "class_name": "RecordLoaderTest" }
{ "class_fields": "", "class_name": "RecordLoader", "method_signatures": "public void load(Reader r, LineHandler lh)\npublic void load(InputStream in, LineHandler lh)\npublic void load(String filename, LineHandler lh)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: core/src/main/java/com/lightboxtechnologies/nsrl/RecordLoader.java for which to generate the test case is:\nclass_name: RecordLoader\n\nclass_fields: \n\nmethod_signatures: public void load(Reader r, LineHandler lh)\npublic void load(InputStream in, LineHandler lh)\npublic void load(String filename, LineHandler lh)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: RecordLoaderTest\n\nclass_fields: private final Mockery context = new JUnit4Mockery();\nprivate static final String line = \"Jackdaws love my great sphinx of quartz.\";\nprivate static final int limit = 10;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file core/src/main/java/com/lightboxtechnologies/nsrl/RecordLoader.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public void load(Reader r, LineHandler lh) throws IOException {\n BufferedReader br = null;\n try {\n br = new BufferedReader(r);\n\n // first line gives column names, skip it\n br.readLine();\n\n // process each line\n String line;\n long linenum = 0;\n while ((line = br.readLine()) != null) {\n ++linenum;\n lh.handle(line, linenum);\n }\n\n br.close();\n }\n finally {\n IOUtils.closeQuietly(br);\n }\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n core/src/test/java/com/lightboxtechnologies/nsrl/RecordLoaderTest.java\n </TESTFILE7041>\n @Test\n public void loadInputStream() throws IOException {\n final LineHandler lh = buildLineHandler(limit, line);\n final RecordLoader loader = new RecordLoader();\n\n InputStream in = null;\n try {\n in = IOUtils.toInputStream(buildInput(limit, line).toString());\n loader.load(in, lh);\n in.close();\n }\n finally {\n IOUtils.closeQuietly(in);\n }\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/sleuthkit/hadoop_framework
java
core/src/main/java/com/lightboxtechnologies/spectrum/KeyUtils.java
core/src/test/java/com/lightboxtechnologies/spectrum/KeyUtilsTest.java
public static byte[] makeEntryKey(byte[] hash, byte type, byte[] data) { /* Key format is: hash right-padded with zeros to 20 bytes byte 0 for md5, 1 for sha1 data as bytes The reason for padding the hash and including the type byte is to ensure that MD5s which are prefixes of SHA1s can be distinguished from them, yet still sort correctly. */ final byte[] okbytes = new byte[20+1+data.length]; Bytes.putBytes(okbytes, 0, hash, 0, hash.length); okbytes[20] = type; Bytes.putBytes(okbytes, 21, data, 0, data.length); return okbytes; }
makeEntryKey
@Test public void makeOutKeyMD5() throws Exception { final Hex hex = new Hex(); final byte[] hash = hex.decode("8a9111fe05f9815fc55c728137c5b389".getBytes()); final byte type = 0; final byte[] col = "vassalengine.org/VASSAL 3.1.15".getBytes(); // It's neat that I have to cast one-byte numeric literals to bytes. // Thanks, Java! final byte[] expected = { (byte) 0x8a, (byte) 0x91, (byte) 0x11, (byte) 0xfe, // MD5 (byte) 0x05, (byte) 0xf9, (byte) 0x81, (byte) 0x5f, (byte) 0xc5, (byte) 0x5c, (byte) 0x72, (byte) 0x81, (byte) 0x37, (byte) 0xc5, (byte) 0xb3, (byte) 0x89, (byte) 0x00, (byte) 0x00, (byte) 0x00, (byte) 0x00, // padding (byte) 0x00, // type 'v', 'a', 's', 's', 'a', 'l', 'e', 'n', 'g', // column 'i', 'n', 'e', '.', 'o', 'r', 'g', '/', 'V', 'A', 'S', 'S', 'A', 'L', ' ', '3', '.', '1', '.', '1', '5' }; assertArrayEquals(expected, KeyUtils.makeEntryKey(hash, type, col)); }
makeOutKeyMD5
[ "putBytes", "putBytes" ]
[ "decode", "getBytes", "getBytes", "assertArrayEquals", "makeEntryKey" ]
{ "class_fields": "", "class_name": "KeyUtilsTest" }
{ "class_fields": "public static final byte MD5 = 0;\npublic static final byte SHA1 = 1;\npublic static final int MD5_LEN = 16;\npublic static final int SHA1_LEN = 20;", "class_name": "KeyUtils", "method_signatures": "public static byte[] makeEntryKey(byte[] hash, byte type, byte[] data)\npublic static int getHashLength(byte[] key)\npublic static byte[] getHash(byte[] key)\npublic static int getHash(byte[] hash, byte[] key)\npublic static byte[] getFsEntryID(byte[] key)\npublic static int getFsEntryID(byte[] id, byte[] key)\npublic static byte[] getImageID(byte[] key)\npublic static int getImageID(byte[] imgID, byte[] key)\npublic static boolean isType2(byte[] key)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: core/src/main/java/com/lightboxtechnologies/spectrum/KeyUtils.java for which to generate the test case is:\nclass_name: KeyUtils\n\nclass_fields: public static final byte MD5 = 0;\npublic static final byte SHA1 = 1;\npublic static final int MD5_LEN = 16;\npublic static final int SHA1_LEN = 20;\n\nmethod_signatures: public static byte[] makeEntryKey(byte[] hash, byte type, byte[] data)\npublic static int getHashLength(byte[] key)\npublic static byte[] getHash(byte[] key)\npublic static int getHash(byte[] hash, byte[] key)\npublic static byte[] getFsEntryID(byte[] key)\npublic static int getFsEntryID(byte[] id, byte[] key)\npublic static byte[] getImageID(byte[] key)\npublic static int getImageID(byte[] imgID, byte[] key)\npublic static boolean isType2(byte[] key)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: KeyUtilsTest\n\nclass_fields: \n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file core/src/main/java/com/lightboxtechnologies/spectrum/KeyUtils.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public static byte[] makeEntryKey(byte[] hash, byte type, byte[] data) {\n /*\n Key format is:\n\n hash right-padded with zeros to 20 bytes\n byte 0 for md5, 1 for sha1\n data as bytes\n\n The reason for padding the hash and including the type byte is to\n ensure that MD5s which are prefixes of SHA1s can be distinguished\n from them, yet still sort correctly.\n */\n\n final byte[] okbytes = new byte[20+1+data.length];\n Bytes.putBytes(okbytes, 0, hash, 0, hash.length);\n okbytes[20] = type;\n Bytes.putBytes(okbytes, 21, data, 0, data.length);\n return okbytes;\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n core/src/test/java/com/lightboxtechnologies/spectrum/KeyUtilsTest.java\n </TESTFILE7041>\n @Test\n public void makeOutKeyMD5() throws Exception {\n final Hex hex = new Hex(); \n final byte[] hash =\n hex.decode(\"8a9111fe05f9815fc55c728137c5b389\".getBytes());\n final byte type = 0;\n final byte[] col = \"vassalengine.org/VASSAL 3.1.15\".getBytes();\n\n // It's neat that I have to cast one-byte numeric literals to bytes.\n // Thanks, Java!\n final byte[] expected = {\n (byte) 0x8a, (byte) 0x91, (byte) 0x11, (byte) 0xfe, // MD5\n (byte) 0x05, (byte) 0xf9, (byte) 0x81, (byte) 0x5f,\n (byte) 0xc5, (byte) 0x5c, (byte) 0x72, (byte) 0x81,\n (byte) 0x37, (byte) 0xc5, (byte) 0xb3, (byte) 0x89,\n (byte) 0x00, (byte) 0x00, (byte) 0x00, (byte) 0x00, // padding\n (byte) 0x00, // type\n 'v', 'a', 's', 's', 'a', 'l', 'e', 'n', 'g', // column\n 'i', 'n', 'e', '.', 'o', 'r', 'g', '/', 'V',\n 'A', 'S', 'S', 'A', 'L', ' ', '3', '.', '1',\n '.', '1', '5'\n };\n\n assertArrayEquals(expected, KeyUtils.makeEntryKey(hash, type, col));\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/sleuthkit/hadoop_framework
java
core/src/main/java/com/lightboxtechnologies/nsrl/ProdRecordProcessor.java
core/src/test/java/com/lightboxtechnologies/nsrl/ProdRecordProcessorTest.java
public ProdData process(String[] col) throws BadDataException { if (col.length < 7) { throw new BadDataException("too few columns"); } else if (col.length > 7) { throw new BadDataException("too many columns"); } Integer code = null; try { code = Integer.valueOf(col[0]); } catch (NumberFormatException e) { throw new BadDataException(e); } if (code < 0) { throw new BadDataException("code < 0"); } return new ProdData(code, col[1], col[2], col[3], col[4], col[5], col[6]); }
process
@Test(expected=BadDataException.class) public void processNonnumericCode() throws BadDataException { final RecordProcessor<ProdData> proc = new ProdRecordProcessor(); proc.process(new String[] { "not a number", "", "", "", "", "", "" }); }
processNonnumericCode
[ "valueOf" ]
[ "process" ]
{ "class_fields": "private static final int code = 1;\nprivate static final String name = \"Greatest Common Divisor Finder\";\nprivate static final String version = \"1.0\";\nprivate static final String os_code = \"42\";\nprivate static final String mfg_code = \"Euclid\";\nprivate static final String language = \"Ancient Greek\";\nprivate static final String app_type = \"Mathematical\";", "class_name": "ProdRecordProcessorTest" }
{ "class_fields": "", "class_name": "ProdRecordProcessor implements RecordProcessor<ProdData>", "method_signatures": "public ProdData process(String[] col)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: core/src/main/java/com/lightboxtechnologies/nsrl/ProdRecordProcessor.java for which to generate the test case is:\nclass_name: ProdRecordProcessor implements RecordProcessor<ProdData>\n\nclass_fields: \n\nmethod_signatures: public ProdData process(String[] col)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: ProdRecordProcessorTest\n\nclass_fields: private static final int code = 1;\nprivate static final String name = \"Greatest Common Divisor Finder\";\nprivate static final String version = \"1.0\";\nprivate static final String os_code = \"42\";\nprivate static final String mfg_code = \"Euclid\";\nprivate static final String language = \"Ancient Greek\";\nprivate static final String app_type = \"Mathematical\";\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file core/src/main/java/com/lightboxtechnologies/nsrl/ProdRecordProcessor.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public ProdData process(String[] col) throws BadDataException {\n if (col.length < 7) {\n throw new BadDataException(\"too few columns\");\n }\n else if (col.length > 7) {\n throw new BadDataException(\"too many columns\");\n }\n\n Integer code = null;\n try {\n code = Integer.valueOf(col[0]);\n }\n catch (NumberFormatException e) {\n throw new BadDataException(e);\n }\n\n if (code < 0) {\n throw new BadDataException(\"code < 0\");\n }\n\n return new ProdData(code, col[1], col[2], col[3], col[4], col[5], col[6]);\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n core/src/test/java/com/lightboxtechnologies/nsrl/ProdRecordProcessorTest.java\n </TESTFILE7041>\n @Test(expected=BadDataException.class)\n public void processNonnumericCode() throws BadDataException {\n final RecordProcessor<ProdData> proc = new ProdRecordProcessor();\n proc.process(new String[] { \"not a number\", \"\", \"\", \"\", \"\", \"\", \"\" });\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/swp-uebersetzerbau-ss13/javabite
java
javabite-code-gen/src/main/java/swp_compiler_ss13/javabite/codegen/CastingAst2CodeConverter.java
javabite-code-gen/src/test/java/swp_compiler_ss13/javabite/codegen/CastingAst2CodeConverterTest.java
protected IdentifierData cast(Type goalType, IdentifierData oldId) throws IntermediateCodeGeneratorException { if (oldId.getIdentifier().startsWith("#")) { IdentifierData tmpId = icg.generateTempIdentifier(oldId.getType()); icg.addQuadruple(QuadrupleFactoryJb.generateAssignment(tmpId, oldId)); oldId = tmpId; } IdentifierData newId = icg.generateTempIdentifier(goalType); icg.addQuadruple(QuadrupleFactoryJb.generateCast(newId, oldId)); return newId; }
cast
@Test public void testCastStringToDoubleFails(){ try { when(converter.icg.generateTempIdentifier(any(DoubleType.class))) .thenReturn( new IdentifierData("tmp", new DoubleType())); converter.cast(new DoubleType(), new IdentifierData("test", new StringType(0l))); fail(); } catch (IntermediateCodeGeneratorException e) { } }
testCastStringToDoubleFails
[ "startsWith", "getIdentifier", "generateTempIdentifier", "getType", "addQuadruple", "generateAssignment", "generateTempIdentifier", "addQuadruple", "generateCast" ]
[ "thenReturn", "when", "generateTempIdentifier", "any", "cast", "fail" ]
{ "class_fields": "CastingAst2CodeConverter converter;", "class_name": "CastingAst2CodeConverterTest" }
{ "class_fields": "", "class_name": "CastingAst2CodeConverter extends AbstractAst2CodeConverter", "method_signatures": "protected IdentifierData cast(Type goalType, IdentifierData oldId)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: javabite-code-gen/src/main/java/swp_compiler_ss13/javabite/codegen/CastingAst2CodeConverter.java for which to generate the test case is:\nclass_name: CastingAst2CodeConverter extends AbstractAst2CodeConverter\n\nclass_fields: \n\nmethod_signatures: protected IdentifierData cast(Type goalType, IdentifierData oldId)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: CastingAst2CodeConverterTest\n\nclass_fields: CastingAst2CodeConverter converter;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file javabite-code-gen/src/main/java/swp_compiler_ss13/javabite/codegen/CastingAst2CodeConverter.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n protected IdentifierData cast(Type goalType, IdentifierData oldId) throws IntermediateCodeGeneratorException {\n\t\tif (oldId.getIdentifier().startsWith(\"#\")) {\n\t\t\tIdentifierData tmpId = icg.generateTempIdentifier(oldId.getType());\n\t\t\ticg.addQuadruple(QuadrupleFactoryJb.generateAssignment(tmpId, oldId));\n\t\t\toldId = tmpId;\n\t\t}\n\t\tIdentifierData newId = icg.generateTempIdentifier(goalType);\n\t\ticg.addQuadruple(QuadrupleFactoryJb.generateCast(newId, oldId));\n\t\treturn newId;\n\t}\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n javabite-code-gen/src/test/java/swp_compiler_ss13/javabite/codegen/CastingAst2CodeConverterTest.java\n </TESTFILE7041>\n @Test\n\t public void testCastStringToDoubleFails(){\n\t try {\n\t when(converter.icg.generateTempIdentifier(any(DoubleType.class)))\n\t .thenReturn(\n\t new IdentifierData(\"tmp\", new DoubleType()));\n\t converter.cast(new DoubleType(), new IdentifierData(\"test\",\n\t new StringType(0l)));\n\t fail();\n\t } catch (IntermediateCodeGeneratorException e) {\n\t \n\t }\n\t }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/swp-uebersetzerbau-ss13/javabite
java
javabite-parser/src/main/java/swp_compiler_ss13/javabite/parser/grammar/SLRAutomaton.java
javabite-parser/src/test/java/swp_compiler_ss13/javabite/parser/grammar/SLRAutomatonTest.java
public List<Production<T, NT>> getDerivationASsSequence( Word<T, NT> word_total) { Stack<State> state_stack = new Stack<>(); Stack<Symbol> symbol_stack = new Stack<>(); state_stack.push(initialState); symbol_stack.push(g.word_end); List<Production<T, NT>> productions = new LinkedList<>(); Queue<T> word = new ArrayDeque<>(word_total); word.add(g.word_end); while (!state_stack.isEmpty()) { State state = state_stack.peek(); if (state.isStateAccepting()) break; Symbol a = word.peek(); if (g.isTerminal(a)) { T t = (T) a; State nextStateTrans = state.transition.get(t); Set<Production> nextProdFollow = possibleReductionsInState(t, state); if (nextStateTrans != null && !nextProdFollow.isEmpty() || nextStateTrans == null && nextProdFollow.isEmpty() || nextProdFollow.size() > 1) { if (nextStateTrans == null && nextProdFollow.isEmpty()){ logger.warn( "behaviour not defined, policy set to DIE. next state by shift: {}, next states by follow: {}", nextStateTrans, nextProdFollow); logger.warn("current terminal: {}", a); logger.warn("productions so far: {}", productions); logger.warn("state stack {}", state_stack); logger.warn("symbol stack {}", symbol_stack); logger.warn("word actual {}", word); logger.warn("word complete {}", word_total); logger.warn("states:"); //for (State st : states) { // logger.warn("\n{}", st.descriptionAsString()); //} throw new WordNotInLanguageGrammarException( (swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) t); } if (policy == AMBIGUITY_POLICY.DIE) { logger.warn( "behaviour not defined, policy set to DIE. next state by shift: {}, next states by follow: {}", nextStateTrans, nextProdFollow); logger.warn("current terminal: {}", a); logger.warn("productions so far: {}", productions); logger.warn("state stack {}", state_stack); logger.warn("symbol stack {}", symbol_stack); logger.warn("word actual {}", word); logger.warn("word complete {}", word_total); logger.warn("states:"); //for (State st : states) { // logger.warn("\n{}", st.descriptionAsString()); //} if (nextStateTrans != null && !nextProdFollow.isEmpty()) { if (t instanceof swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) { throw new AmbiguityInDerivationGrammarException( (swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) t); } else logger.warn("Dont know how to react..."); } else if (nextStateTrans == null && nextProdFollow.isEmpty()) { if (t instanceof swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) { throw new WordNotInLanguageGrammarException( (swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) t); } else logger.warn("Dont know how to react..."); } else if (nextProdFollow.size() > 1) { if (t instanceof swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) { throw new AmbiguityInDerivationGrammarException( (swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) t); } else logger.warn("Dont know how to react..."); } else { throw new RuntimeException( "Enexptected state reached"); } } else if (policy==AMBIGUITY_POLICY.PREFER_REDUCE){ if (nextProdFollow.size()==1){ // disable shift nextStateTrans=null; } else{ logger.error("policy PREFER_REDUCE is not applicable, because multiple or none (exact :{}) reductions are possible",nextProdFollow.size()); if (nextProdFollow.size()>1) throw new AmbiguityInDerivationGrammarException( (swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) t); } } else if (policy==AMBIGUITY_POLICY.PREFER_SHIFT){ logger.info("policy PREFER_SHIFT is applicable and used"); // diable of reduce not necessary nextProdFollow=null; } else{ throw new RuntimeException("Invalid Policy"); } } // do shift if possible if (nextStateTrans != null) { word.poll(); symbol_stack.push(a); state_stack.push(nextStateTrans); } else { // reduce Production todo = nextProdFollow.iterator().next(); List<Symbol> original_right_side = new LinkedList<>(); for (int i = todo.right.size() - 1; i >= 0; i--) { state_stack.pop(); original_right_side.add(symbol_stack.pop()); } Collections.reverse(original_right_side); State stateBeforeProduction = state_stack.peek(); State nextState = stateBeforeProduction.transition .get(todo.left); state_stack.push(nextState); symbol_stack.push(todo.left); todo.right = original_right_side; productions.add(todo); } } } return productions; }
getDerivationASsSequence
@Test public void testDerivationSequenceSimpleBrace(){ SLRAutomaton<SimpleT, SimpleNT> automaton=new SLRAutomaton<>(g1); Word<SimpleT,SimpleNT> original=new Word<SimpleT,SimpleNT>(g1, listTok(T_OPEN,T_ID,T_CLOSE)); List<Production<SimpleT,SimpleNT>> productions=automaton.getDerivationASsSequence(original); Collections.reverse(productions); Word<SimpleT,SimpleNT> derivated=Word.getWordFromRightMostDerivation(g1, productions); assertEquals("must be the same",original,derivated); }
testDerivationSequenceSimpleBrace
[ "push", "push", "add", "isEmpty", "peek", "isStateAccepting", "peek", "isTerminal", "get", "possibleReductionsInState", "isEmpty", "isEmpty", "size", "isEmpty", "warn", "warn", "warn", "warn", "warn", "warn", "warn", "warn", "warn", "warn", "warn", "warn", "warn", "warn", "warn", "warn", "isEmpty", "warn", "isEmpty", "warn", "size", "warn", "size", "error", "size", "size", "info", "poll", "push", "push", "next", "iterator", "size", "pop", "add", "pop", "reverse", "peek", "get", "push", "push", "add" ]
[ "listTok", "getDerivationASsSequence", "reverse", "getWordFromRightMostDerivation", "assertEquals" ]
{ "class_fields": "SimpleT T_ADD=new SimpleT(\"+\");\nSimpleT T_MUL=new SimpleT(\"*\");\nSimpleT T_OPEN=new SimpleT(\"(\");\nSimpleT T_CLOSE=new SimpleT(\")\");\nSimpleT T_ID=new SimpleT(\"id\");\nSimpleT T_EOF=new SimpleT(\"$\");\nSimpleT T_EPSILON=new SimpleT(\"[eps]\");\nSimpleNT E=new SimpleNT(\"E\");\nSimpleNT T=new SimpleNT(\"T\");\nSimpleNT F=new SimpleNT(\"F\");\nSimpleNT E_=new SimpleNT(\"E'\");\nfinal Grammar<SimpleT,SimpleNT> g1=new Grammar<>(E,E_,T_EOF,T_EPSILON);\nfinal Grammar<SimpleT,SimpleNT> g2=new Grammar<>(E,E_,T_EOF,T_EPSILON);", "class_name": "SLRAutomatonTest" }
{ "class_fields": "Integer state_num = 0;\nGrammar<T, NT> g;\nState initialState;\nfinal Set<State> states = new HashSet<>();\nfinal State acceptState = new State();\nAMBIGUITY_POLICY policy = AMBIGUITY_POLICY.DIE;\nLogger logger = LoggerFactory.getLogger(this.getClass());", "class_name": "SLRAutomaton", "method_signatures": "public SLRAutomaton(Grammar<T, NT> referenceGrammar)\npublic void setAmbiguityPolicy(AMBIGUITY_POLICY policy)\nprivate State getStateFor(Map<NT, Set<Item<T, NT>>> kernel)\nprivate int getAllStateItems()\nprivate void build()\npublic List<Production<T, NT>> getDerivationASsSequence(\n\t\t\tWord<T, NT> word_total)\nprivate Set<Production> possibleReductionsInState(T t, State st)\npublic int getNStates()" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: javabite-parser/src/main/java/swp_compiler_ss13/javabite/parser/grammar/SLRAutomaton.java for which to generate the test case is:\nclass_name: SLRAutomaton\n\nclass_fields: Integer state_num = 0;\nGrammar<T, NT> g;\nState initialState;\nfinal Set<State> states = new HashSet<>();\nfinal State acceptState = new State();\nAMBIGUITY_POLICY policy = AMBIGUITY_POLICY.DIE;\nLogger logger = LoggerFactory.getLogger(this.getClass());\n\nmethod_signatures: public SLRAutomaton(Grammar<T, NT> referenceGrammar)\npublic void setAmbiguityPolicy(AMBIGUITY_POLICY policy)\nprivate State getStateFor(Map<NT, Set<Item<T, NT>>> kernel)\nprivate int getAllStateItems()\nprivate void build()\npublic List<Production<T, NT>> getDerivationASsSequence(\n\t\t\tWord<T, NT> word_total)\nprivate Set<Production> possibleReductionsInState(T t, State st)\npublic int getNStates()\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: SLRAutomatonTest\n\nclass_fields: SimpleT T_ADD=new SimpleT(\"+\");\nSimpleT T_MUL=new SimpleT(\"*\");\nSimpleT T_OPEN=new SimpleT(\"(\");\nSimpleT T_CLOSE=new SimpleT(\")\");\nSimpleT T_ID=new SimpleT(\"id\");\nSimpleT T_EOF=new SimpleT(\"$\");\nSimpleT T_EPSILON=new SimpleT(\"[eps]\");\nSimpleNT E=new SimpleNT(\"E\");\nSimpleNT T=new SimpleNT(\"T\");\nSimpleNT F=new SimpleNT(\"F\");\nSimpleNT E_=new SimpleNT(\"E'\");\nfinal Grammar<SimpleT,SimpleNT> g1=new Grammar<>(E,E_,T_EOF,T_EPSILON);\nfinal Grammar<SimpleT,SimpleNT> g2=new Grammar<>(E,E_,T_EOF,T_EPSILON);\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file javabite-parser/src/main/java/swp_compiler_ss13/javabite/parser/grammar/SLRAutomaton.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public List<Production<T, NT>> getDerivationASsSequence(\n\t\t\tWord<T, NT> word_total) {\n\n\t\tStack<State> state_stack = new Stack<>();\n\t\tStack<Symbol> symbol_stack = new Stack<>();\n\t\tstate_stack.push(initialState);\n\t\tsymbol_stack.push(g.word_end);\n\n\t\tList<Production<T, NT>> productions = new LinkedList<>();\n\t\tQueue<T> word = new ArrayDeque<>(word_total);\n\t\tword.add(g.word_end);\n\t\twhile (!state_stack.isEmpty()) {\n\t\t\tState state = state_stack.peek();\n\t\t\tif (state.isStateAccepting())\n\t\t\t\tbreak;\n\n\t\t\tSymbol a = word.peek();\n\t\t\tif (g.isTerminal(a)) {\n\t\t\t\tT t = (T) a;\n\t\t\t\tState nextStateTrans = state.transition.get(t);\n\t\t\t\tSet<Production> nextProdFollow = possibleReductionsInState(t,\n\t\t\t\t\t\tstate);\n\t\t\t\tif (nextStateTrans != null && !nextProdFollow.isEmpty()\n\t\t\t\t\t\t|| nextStateTrans == null && nextProdFollow.isEmpty()\n\t\t\t\t\t\t|| nextProdFollow.size() > 1) {\n\t\t\t\t\t\n\t\t\t\t\tif (nextStateTrans == null && nextProdFollow.isEmpty()){\n\t\t\t\t\t\tlogger.warn(\n\t\t\t\t\t\t\t\t\"behaviour not defined, policy set to DIE. next state by shift: {}, next states by follow: {}\",\n\t\t\t\t\t\t\t\tnextStateTrans, nextProdFollow);\n\t\t\t\t\t\tlogger.warn(\"current terminal: {}\", a);\n\t\t\t\t\t\tlogger.warn(\"productions so far: {}\", productions);\n\t\t\t\t\t\tlogger.warn(\"state stack {}\", state_stack);\n\t\t\t\t\t\tlogger.warn(\"symbol stack {}\", symbol_stack);\n\t\t\t\t\t\tlogger.warn(\"word actual {}\", word);\n\t\t\t\t\t\tlogger.warn(\"word complete {}\", word_total);\n\t\t\t\t\t\tlogger.warn(\"states:\");\n\t\t\t\t\t\t//for (State st : states) {\n\t\t\t\t\t\t//\tlogger.warn(\"\\n{}\", st.descriptionAsString());\n\t\t\t\t\t\t//}\n\t\t\t\t\t\tthrow new WordNotInLanguageGrammarException(\n\t\t\t\t\t\t\t\t(swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) t);\n\t\t\t\t\t}\n\t\t\t\t\t\n\t\t\t\t\tif (policy == AMBIGUITY_POLICY.DIE) {\n\t\t\t\t\t\tlogger.warn(\n\t\t\t\t\t\t\t\t\"behaviour not defined, policy set to DIE. next state by shift: {}, next states by follow: {}\",\n\t\t\t\t\t\t\t\tnextStateTrans, nextProdFollow);\n\t\t\t\t\t\tlogger.warn(\"current terminal: {}\", a);\n\t\t\t\t\t\tlogger.warn(\"productions so far: {}\", productions);\n\t\t\t\t\t\tlogger.warn(\"state stack {}\", state_stack);\n\t\t\t\t\t\tlogger.warn(\"symbol stack {}\", symbol_stack);\n\t\t\t\t\t\tlogger.warn(\"word actual {}\", word);\n\t\t\t\t\t\tlogger.warn(\"word complete {}\", word_total);\n\t\t\t\t\t\tlogger.warn(\"states:\");\n\t\t\t\t\t\t//for (State st : states) {\n\t\t\t\t\t\t//\tlogger.warn(\"\\n{}\", st.descriptionAsString());\n\t\t\t\t\t\t//}\n\n\t\t\t\t\t\tif (nextStateTrans != null && !nextProdFollow.isEmpty()) {\n\t\t\t\t\t\t\tif (t instanceof swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) {\n\t\t\t\t\t\t\t\tthrow new AmbiguityInDerivationGrammarException(\n\t\t\t\t\t\t\t\t\t\t(swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) t);\n\t\t\t\t\t\t\t} else\n\t\t\t\t\t\t\t\tlogger.warn(\"Dont know how to react...\");\n\t\t\t\t\t\t} else if (nextStateTrans == null\n\t\t\t\t\t\t\t\t&& nextProdFollow.isEmpty()) {\n\t\t\t\t\t\t\tif (t instanceof swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) {\n\t\t\t\t\t\t\t\tthrow new WordNotInLanguageGrammarException(\n\t\t\t\t\t\t\t\t\t\t(swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) t);\n\t\t\t\t\t\t\t} else\n\t\t\t\t\t\t\t\tlogger.warn(\"Dont know how to react...\");\n\t\t\t\t\t\t} else if (nextProdFollow.size() > 1) {\n\t\t\t\t\t\t\tif (t instanceof swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) {\n\t\t\t\t\t\t\t\tthrow new AmbiguityInDerivationGrammarException(\n\t\t\t\t\t\t\t\t\t\t(swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) t);\n\t\t\t\t\t\t\t} else\n\t\t\t\t\t\t\t\tlogger.warn(\"Dont know how to react...\");\n\t\t\t\t\t\t} else {\n\t\t\t\t\t\t\tthrow new RuntimeException(\n\t\t\t\t\t\t\t\t\t\"Enexptected state reached\");\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t\telse if (policy==AMBIGUITY_POLICY.PREFER_REDUCE){\n\t\t\t\t\t\tif (nextProdFollow.size()==1){\n\t\t\t\t\t\t\t// disable shift\n\t\t\t\t\t\t\tnextStateTrans=null;\n\t\t\t\t\t\t}\n\t\t\t\t\t\telse{\n\t\t\t\t\t\t\tlogger.error(\"policy PREFER_REDUCE is not applicable, because multiple or none (exact :{}) reductions are possible\",nextProdFollow.size());\n\t\t\t\t\t\t\tif (nextProdFollow.size()>1)\n\t\t\t\t\t\t\t\tthrow new AmbiguityInDerivationGrammarException(\n\t\t\t\t\t\t\t\t\t\t(swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) t);\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t\telse if (policy==AMBIGUITY_POLICY.PREFER_SHIFT){\n\t\t\t\t\t\tlogger.info(\"policy PREFER_SHIFT is applicable and used\");\n\t\t\t\t\t\t// diable of reduce not necessary\n\t\t\t\t\t\tnextProdFollow=null;\n\t\t\t\t\t}\n\t\t\t\t\telse{\n\t\t\t\t\t\tthrow new RuntimeException(\"Invalid Policy\");\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t\t// do shift if possible\n\t\t\t\tif (nextStateTrans != null) {\n\t\t\t\t\tword.poll();\n\t\t\t\t\tsymbol_stack.push(a);\n\t\t\t\t\tstate_stack.push(nextStateTrans);\n\t\t\t\t} else {\n\t\t\t\t\t// reduce\n\t\t\t\t\tProduction todo = nextProdFollow.iterator().next();\n\t\t\t\t\tList<Symbol> original_right_side = new LinkedList<>();\n\t\t\t\t\tfor (int i = todo.right.size() - 1; i >= 0; i--) {\n\t\t\t\t\t\tstate_stack.pop();\n\t\t\t\t\t\toriginal_right_side.add(symbol_stack.pop());\n\t\t\t\t\t}\n\t\t\t\t\tCollections.reverse(original_right_side);\n\t\t\t\t\tState stateBeforeProduction = state_stack.peek();\n\t\t\t\t\tState nextState = stateBeforeProduction.transition\n\t\t\t\t\t\t\t.get(todo.left);\n\t\t\t\t\t\n\t\t\t\t\tstate_stack.push(nextState);\n\t\t\t\t\tsymbol_stack.push(todo.left);\n\t\t\t\t\ttodo.right = original_right_side;\n\t\t\t\t\tproductions.add(todo);\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t\treturn productions;\n\t}\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n javabite-parser/src/test/java/swp_compiler_ss13/javabite/parser/grammar/SLRAutomatonTest.java\n </TESTFILE7041>\n @Test\n\tpublic void testDerivationSequenceSimpleBrace(){\n\t\tSLRAutomaton<SimpleT, SimpleNT> automaton=new SLRAutomaton<>(g1);\n\t\tWord<SimpleT,SimpleNT> original=new Word<SimpleT,SimpleNT>(g1, listTok(T_OPEN,T_ID,T_CLOSE));\n\t\tList<Production<SimpleT,SimpleNT>> productions=automaton.getDerivationASsSequence(original);\n\t\tCollections.reverse(productions);\n\t\tWord<SimpleT,SimpleNT> derivated=Word.getWordFromRightMostDerivation(g1, productions); \n\t\tassertEquals(\"must be the same\",original,derivated);\n\t}\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/sleuthkit/hadoop_framework
java
core/src/main/java/com/lightboxtechnologies/nsrl/HashRecordProcessor.java
core/src/test/java/com/lightboxtechnologies/nsrl/HashRecordProcessorTest.java
public HashData process(String[] col) throws BadDataException { if (col.length < 8) { throw new BadDataException("too few columns"); } else if (col.length > 8) { throw new BadDataException("too many columns"); } long size = 0; try { size = Long.parseLong(col[4]); } catch (NumberFormatException e) { throw new BadDataException(e); } if (size < 0) { throw new BadDataException("size < 0"); } int prod_code = 0; try { prod_code = Integer.parseInt(col[5]); } catch (NumberFormatException e) { throw new BadDataException(e); } if (prod_code < 0) { throw new BadDataException("prod_code < 0"); } byte[] sha1, md5, crc32; try { sha1 = (byte[]) hex.decode(col[0]); md5 = (byte[]) hex.decode(col[1]); crc32 = (byte[]) hex.decode(col[2]); } catch (DecoderException e) { throw new BadDataException(e); } return new HashData( sha1, md5, crc32, col[3], size, prod_code, col[6], col[7] ); }
process
@Test(expected=BadDataException.class) public void processTooManyCols() throws BadDataException { final RecordProcessor<HashData> proc = new HashRecordProcessor(); final String[] cols = new String[9]; Arrays.fill(cols, "foo"); proc.process(cols); }
processTooManyCols
[ "parseLong", "parseInt", "decode", "decode", "decode" ]
[ "fill", "process" ]
{ "class_fields": "private static final Hex hex = new Hex();\nprivate static final String name = \"c'est ne pas un name\";\nprivate static final long size = 42;\nprivate static final int prod_code = 13;\nprivate static final String os_code = \"89\";\nprivate static final String special_code = \"so fucking special\";\nprivate static byte[] sha1;\nprivate static byte[] md5;\nprivate static byte[] crc32;", "class_name": "HashRecordProcessorTest" }
{ "class_fields": "private static final Hex hex = new Hex();", "class_name": "HashRecordProcessor implements RecordProcessor<HashData>", "method_signatures": "public HashData process(String[] col)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: core/src/main/java/com/lightboxtechnologies/nsrl/HashRecordProcessor.java for which to generate the test case is:\nclass_name: HashRecordProcessor implements RecordProcessor<HashData>\n\nclass_fields: private static final Hex hex = new Hex();\n\nmethod_signatures: public HashData process(String[] col)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: HashRecordProcessorTest\n\nclass_fields: private static final Hex hex = new Hex();\nprivate static final String name = \"c'est ne pas un name\";\nprivate static final long size = 42;\nprivate static final int prod_code = 13;\nprivate static final String os_code = \"89\";\nprivate static final String special_code = \"so fucking special\";\nprivate static byte[] sha1;\nprivate static byte[] md5;\nprivate static byte[] crc32;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file core/src/main/java/com/lightboxtechnologies/nsrl/HashRecordProcessor.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public HashData process(String[] col) throws BadDataException {\n if (col.length < 8) {\n throw new BadDataException(\"too few columns\");\n }\n else if (col.length > 8) {\n throw new BadDataException(\"too many columns\");\n }\n\n long size = 0;\n try {\n size = Long.parseLong(col[4]);\n }\n catch (NumberFormatException e) {\n throw new BadDataException(e);\n }\n\n if (size < 0) {\n throw new BadDataException(\"size < 0\");\n }\n\n int prod_code = 0;\n try {\n prod_code = Integer.parseInt(col[5]);\n }\n catch (NumberFormatException e) {\n throw new BadDataException(e);\n }\n\n if (prod_code < 0) {\n throw new BadDataException(\"prod_code < 0\");\n }\n\n byte[] sha1, md5, crc32;\n try {\n sha1 = (byte[]) hex.decode(col[0]);\n md5 = (byte[]) hex.decode(col[1]);\n crc32 = (byte[]) hex.decode(col[2]);\n }\n catch (DecoderException e) {\n throw new BadDataException(e);\n }\n\n return new HashData(\n sha1, md5, crc32, col[3], size, prod_code, col[6], col[7]\n );\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n core/src/test/java/com/lightboxtechnologies/nsrl/HashRecordProcessorTest.java\n </TESTFILE7041>\n @Test(expected=BadDataException.class)\n public void processTooManyCols() throws BadDataException {\n final RecordProcessor<HashData> proc = new HashRecordProcessor();\n final String[] cols = new String[9];\n Arrays.fill(cols, \"foo\");\n proc.process(cols);\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/ryoasai/spring-mvc-exts
java
spring-mvc-exts/src/main/java/com/github/ryoasai/springmvc/grid/PojoListGrid.java
spring-mvc-exts/src/test/java/com/github/ryoasai/springmvc/grid/PojoListGridTest.java
@Override public Object[][] toArray2D() { Object[][] result = new Object[rows()][columns()]; for (int row = 0; row < rows(); row++) { for (int column = 0; column < columns(); column++) { result[row][column] = get(row, column); } } return result; }
toArray2D
@Test public void toArray2D() { Object[][] expected = { { "Hello", 0, null }, { null, 100 , DateUtils.create(2010, 5, 6)} }; assertArrayEquals(expected, target.toArray2D()); }
toArray2D
[ "rows", "columns", "rows", "columns", "get" ]
[ "create", "assertArrayEquals", "toArray2D" ]
{ "class_fields": "PojoListGrid target;\nSamplePojo samplePojo1 = new SamplePojo();\nSamplePojo samplePojo2 = new SamplePojo();\nList<SamplePojo> samplePojoList = Arrays.asList(samplePojo1, samplePojo2);", "class_name": "PojoListGridTest" }
{ "class_fields": "private List<Object> pojoList;\nprivate String[] props;\nprivate BeanWrapperImpl beanWrapper = new BeanWrapperImpl();\nprivate ConversionService conversionService;", "class_name": "PojoListGrid implements Grid", "method_signatures": "public PojoListGrid(List<?> pojoList, ConversionService conversionService, String... props)\npublic PojoListGrid(List<?> pojoList, String... props)\n@Override public Object get(int row, int column)\nprivate boolean canConvert(Object value, TypeDescriptor fieldDesc, TypeDescriptor strDesc)\n@Override public void set(int row, int column, Object value)\n@Override public int columns()\n@Override public int rows()\n@Override public Object[][] toArray2D()" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: spring-mvc-exts/src/main/java/com/github/ryoasai/springmvc/grid/PojoListGrid.java for which to generate the test case is:\nclass_name: PojoListGrid implements Grid\n\nclass_fields: private List<Object> pojoList;\nprivate String[] props;\nprivate BeanWrapperImpl beanWrapper = new BeanWrapperImpl();\nprivate ConversionService conversionService;\n\nmethod_signatures: public PojoListGrid(List<?> pojoList, ConversionService conversionService, String... props)\npublic PojoListGrid(List<?> pojoList, String... props)\n@Override public Object get(int row, int column)\nprivate boolean canConvert(Object value, TypeDescriptor fieldDesc, TypeDescriptor strDesc)\n@Override public void set(int row, int column, Object value)\n@Override public int columns()\n@Override public int rows()\n@Override public Object[][] toArray2D()\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: PojoListGridTest\n\nclass_fields: PojoListGrid target;\nSamplePojo samplePojo1 = new SamplePojo();\nSamplePojo samplePojo2 = new SamplePojo();\nList<SamplePojo> samplePojoList = Arrays.asList(samplePojo1, samplePojo2);\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file spring-mvc-exts/src/main/java/com/github/ryoasai/springmvc/grid/PojoListGrid.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n\tpublic Object[][] toArray2D() {\n\t\tObject[][] result = new Object[rows()][columns()];\n\t\tfor (int row = 0; row < rows(); row++) {\n\t\t\tfor (int column = 0; column < columns(); column++) {\n\t\t\t\tresult[row][column] = get(row, column);\n\t\t\t}\n\t\t}\n\t\treturn result;\n\t}\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n spring-mvc-exts/src/test/java/com/github/ryoasai/springmvc/grid/PojoListGridTest.java\n </TESTFILE7041>\n @Test\n\tpublic void toArray2D() {\n\t\tObject[][] expected = { { \"Hello\", 0, null }, { null, 100 , DateUtils.create(2010, 5, 6)} };\n\t\tassertArrayEquals(expected, target.toArray2D());\n\t}\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/swp-uebersetzerbau-ss13/javabite
java
javabite-code-gen/src/main/java/swp_compiler_ss13/javabite/codegen/CastingAst2CodeConverter.java
javabite-code-gen/src/test/java/swp_compiler_ss13/javabite/codegen/CastingAst2CodeConverterTest.java
protected IdentifierData cast(Type goalType, IdentifierData oldId) throws IntermediateCodeGeneratorException { if (oldId.getIdentifier().startsWith("#")) { IdentifierData tmpId = icg.generateTempIdentifier(oldId.getType()); icg.addQuadruple(QuadrupleFactoryJb.generateAssignment(tmpId, oldId)); oldId = tmpId; } IdentifierData newId = icg.generateTempIdentifier(goalType); icg.addQuadruple(QuadrupleFactoryJb.generateCast(newId, oldId)); return newId; }
cast
@Test public void testCastStructToStringFails(){ try { when(converter.icg.generateTempIdentifier(any(StringType.class))) .thenReturn(new IdentifierData("tmp", new StringType(0l))); converter.cast(new StringType(0l), new IdentifierData("test", new StructType( new Member[] { new Member("", new LongType()) }))); fail(); } catch (IntermediateCodeGeneratorException e) { } }
testCastStructToStringFails
[ "startsWith", "getIdentifier", "generateTempIdentifier", "getType", "addQuadruple", "generateAssignment", "generateTempIdentifier", "addQuadruple", "generateCast" ]
[ "thenReturn", "when", "generateTempIdentifier", "any", "cast", "fail" ]
{ "class_fields": "CastingAst2CodeConverter converter;", "class_name": "CastingAst2CodeConverterTest" }
{ "class_fields": "", "class_name": "CastingAst2CodeConverter extends AbstractAst2CodeConverter", "method_signatures": "protected IdentifierData cast(Type goalType, IdentifierData oldId)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: javabite-code-gen/src/main/java/swp_compiler_ss13/javabite/codegen/CastingAst2CodeConverter.java for which to generate the test case is:\nclass_name: CastingAst2CodeConverter extends AbstractAst2CodeConverter\n\nclass_fields: \n\nmethod_signatures: protected IdentifierData cast(Type goalType, IdentifierData oldId)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: CastingAst2CodeConverterTest\n\nclass_fields: CastingAst2CodeConverter converter;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file javabite-code-gen/src/main/java/swp_compiler_ss13/javabite/codegen/CastingAst2CodeConverter.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n protected IdentifierData cast(Type goalType, IdentifierData oldId) throws IntermediateCodeGeneratorException {\n\t\tif (oldId.getIdentifier().startsWith(\"#\")) {\n\t\t\tIdentifierData tmpId = icg.generateTempIdentifier(oldId.getType());\n\t\t\ticg.addQuadruple(QuadrupleFactoryJb.generateAssignment(tmpId, oldId));\n\t\t\toldId = tmpId;\n\t\t}\n\t\tIdentifierData newId = icg.generateTempIdentifier(goalType);\n\t\ticg.addQuadruple(QuadrupleFactoryJb.generateCast(newId, oldId));\n\t\treturn newId;\n\t}\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n javabite-code-gen/src/test/java/swp_compiler_ss13/javabite/codegen/CastingAst2CodeConverterTest.java\n </TESTFILE7041>\n @Test\n\tpublic void testCastStructToStringFails(){\n\t\ttry {\n\t\t\twhen(converter.icg.generateTempIdentifier(any(StringType.class)))\n\t\t\t\t\t.thenReturn(new IdentifierData(\"tmp\", new StringType(0l)));\n\t\t\tconverter.cast(new StringType(0l), new IdentifierData(\"test\",\n\t\t\t\t\tnew StructType( new Member[] { new Member(\"\",\n\t\t\t\t\t\t\tnew LongType()) })));\n\t\t\tfail();\n\t\t} catch (IntermediateCodeGeneratorException e) {\n\t\t}\n\t}\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/sleuthkit/hadoop_framework
java
core/src/main/java/com/lightboxtechnologies/nsrl/Record.java
core/src/test/java/com/lightboxtechnologies/nsrl/RecordTest.java
public static <K,V> void put(K key, V value, Map<K,V> map) throws BadDataException { final V old = map.put(key, value); if (old != null) { // duplicate key throw new BadDataException("duplicate key: " + key); } }
put
@Test(expected=BadDataException.class) public void putDuplicate() throws BadDataException { final Map<String,String> map = new HashMap<String,String>(); final String key = "Bernadotte"; final String val1 = "marshal of France"; final String val2 = "king of Sweeden"; Record.put(key, val1, map); Record.put(key, val2, map); }
putDuplicate
[ "put" ]
[ "put", "put" ]
{ "class_fields": "", "class_name": "RecordTest" }
{ "class_fields": "", "class_name": "Record", "method_signatures": "protected Record()\npublic static void put(K key, V value, Map<K,V> map)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: core/src/main/java/com/lightboxtechnologies/nsrl/Record.java for which to generate the test case is:\nclass_name: Record\n\nclass_fields: \n\nmethod_signatures: protected Record()\npublic static void put(K key, V value, Map<K,V> map)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: RecordTest\n\nclass_fields: \n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file core/src/main/java/com/lightboxtechnologies/nsrl/Record.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public static <K,V> void put(K key, V value, Map<K,V> map)\n throws BadDataException {\n final V old = map.put(key, value);\n if (old != null) {\n // duplicate key\n throw new BadDataException(\"duplicate key: \" + key);\n }\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n core/src/test/java/com/lightboxtechnologies/nsrl/RecordTest.java\n </TESTFILE7041>\n @Test(expected=BadDataException.class)\n public void putDuplicate() throws BadDataException {\n final Map<String,String> map = new HashMap<String,String>();\n final String key = \"Bernadotte\";\n final String val1 = \"marshal of France\";\n final String val2 = \"king of Sweeden\";\n\n Record.put(key, val1, map);\n Record.put(key, val2, map);\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/sleuthkit/hadoop_framework
java
core/src/main/java/com/lightboxtechnologies/nsrl/ProdData.java
core/src/test/java/com/lightboxtechnologies/nsrl/ProdDataTest.java
@Override public int hashCode() { return new HashCodeBuilder().append(code) .append(name) .append(version) .append(os_code) .append(mfg_code) .append(language) .append(app_type) .toHashCode(); }
hashCode
@Test public void hashCodeSame() { final ProdData a = new ProdData(code, name, version, os_code, mfg_code, language, app_type); final ProdData b = new ProdData(code, name, version, os_code, mfg_code, language, app_type); assertTrue(a.hashCode() == b.hashCode()); }
hashCodeSame
[ "toHashCode", "append", "append", "append", "append", "append", "append", "append" ]
[ "assertTrue", "hashCode", "hashCode" ]
{ "class_fields": "private static final int code = 99;\nprivate static final String name = \"Lern Yerself Scouse\";\nprivate static final String version = \"1.0\";\nprivate static final String os_code = \"42\";\nprivate static final String mfg_code = \"Lime Street Applications Inc.\";\nprivate static final String language = \"Scouse\";\nprivate final String app_type = \"Langauge learning\";", "class_name": "ProdDataTest" }
{ "class_fields": "public final int code;\npublic final String name;\npublic final String version;\npublic final String os_code;\npublic final String mfg_code;\npublic final String language;\npublic final String app_type;", "class_name": "ProdData", "method_signatures": "public ProdData(int code, String name, String version, String os_code,\n String mfg_code, String language, String app_type)\n@Override public String toString()\n@Override public boolean equals(Object o)\n@Override public int hashCode()" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: core/src/main/java/com/lightboxtechnologies/nsrl/ProdData.java for which to generate the test case is:\nclass_name: ProdData\n\nclass_fields: public final int code;\npublic final String name;\npublic final String version;\npublic final String os_code;\npublic final String mfg_code;\npublic final String language;\npublic final String app_type;\n\nmethod_signatures: public ProdData(int code, String name, String version, String os_code,\n String mfg_code, String language, String app_type)\n@Override public String toString()\n@Override public boolean equals(Object o)\n@Override public int hashCode()\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: ProdDataTest\n\nclass_fields: private static final int code = 99;\nprivate static final String name = \"Lern Yerself Scouse\";\nprivate static final String version = \"1.0\";\nprivate static final String os_code = \"42\";\nprivate static final String mfg_code = \"Lime Street Applications Inc.\";\nprivate static final String language = \"Scouse\";\nprivate final String app_type = \"Langauge learning\";\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file core/src/main/java/com/lightboxtechnologies/nsrl/ProdData.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public int hashCode() {\n return new HashCodeBuilder().append(code)\n .append(name)\n .append(version)\n .append(os_code)\n .append(mfg_code)\n .append(language)\n .append(app_type)\n .toHashCode();\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n core/src/test/java/com/lightboxtechnologies/nsrl/ProdDataTest.java\n </TESTFILE7041>\n @Test\n public void hashCodeSame() {\n final ProdData a =\n new ProdData(code, name, version, os_code, mfg_code, language, app_type);\n final ProdData b =\n new ProdData(code, name, version, os_code, mfg_code, language, app_type);\n assertTrue(a.hashCode() == b.hashCode());\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/swp-uebersetzerbau-ss13/javabite
java
javabite-parser/src/main/java/swp_compiler_ss13/javabite/parser/astGenerator/ASTGenerator.java
javabite-parser/src/test/java/swp_compiler_ss13/javabite/parser/astGenerator/ASTGeneratorTest.java
public ASTJb generateAST() { // generate AST ASTJb ast = new ASTJb(); BlockNode rootNode = this.useBlockProduction(); ast.setRootNode(rootNode); return ast; }
generateAST
@Test public void testM2AddProgram() { /*# returns 10 # prints nothing long a; long b; long c; a = 4; b = 3; c = 2; a = b = 4; c = a + b + c; return c; */ List<Token> tList = new LinkedList<>(); // #returns 10 tList.add(new TokenJb(TokenType.COMMENT, "returns 10")); // #prints nothing tList.add(new TokenJb(TokenType.COMMENT, "prints nothing")); // long a; tList.add(new TokenJb(TokenType.LONG_SYMBOL, "long")); tList.add(new TokenJb(TokenType.ID, "a")); tList.add(new TokenJb(TokenType.SEMICOLON, ";")); // long a; tList.add(new TokenJb(TokenType.LONG_SYMBOL, "long")); tList.add(new TokenJb(TokenType.ID, "b")); tList.add(new TokenJb(TokenType.SEMICOLON, ";")); // long a; tList.add(new TokenJb(TokenType.LONG_SYMBOL, "long")); tList.add(new TokenJb(TokenType.ID, "c")); tList.add(new TokenJb(TokenType.SEMICOLON, ";")); // a = 4; tList.add(new TokenJb(TokenType.ID, "a")); tList.add(new TokenJb(TokenType.ASSIGNOP, "=")); tList.add(new NumTokenJb(TokenType.NUM, "4")); tList.add(new TokenJb(TokenType.SEMICOLON, ";")); // b = 3; tList.add(new TokenJb(TokenType.ID, "b")); tList.add(new TokenJb(TokenType.ASSIGNOP, "=")); tList.add(new NumTokenJb(TokenType.NUM, "3")); tList.add(new TokenJb(TokenType.SEMICOLON, ";")); // c = 2; tList.add(new TokenJb(TokenType.ID, "c")); tList.add(new TokenJb(TokenType.ASSIGNOP, "=")); tList.add(new NumTokenJb(TokenType.NUM, "2")); tList.add(new TokenJb(TokenType.SEMICOLON, ";")); // a = b = 4; tList.add(new TokenJb(TokenType.ID, "a")); tList.add(new TokenJb(TokenType.ASSIGNOP, "=")); tList.add(new TokenJb(TokenType.ID,"b")); tList.add(new TokenJb(TokenType.ASSIGNOP, "=")); tList.add(new NumTokenJb(TokenType.NUM, "4")); tList.add(new TokenJb(TokenType.SEMICOLON, ";")); // c = a + b + c; tList.add(new TokenJb(TokenType.ID, "c")); tList.add(new TokenJb(TokenType.ASSIGNOP, "=")); tList.add(new TokenJb(TokenType.ID,"a")); tList.add(new TokenJb(TokenType.PLUS, "+")); tList.add(new TokenJb(TokenType.ID,"b")); tList.add(new TokenJb(TokenType.PLUS, "+")); tList.add(new TokenJb(TokenType.ID,"c")); tList.add(new TokenJb(TokenType.SEMICOLON, ";")); // return c; tList.add(new TokenJb(TokenType.RETURN,"return")); tList.add(new TokenJb(TokenType.ID,"c")); tList.add(new TokenJb(TokenType.SEMICOLON,";")); TargetGrammar.SourceCode sc = syn.new SourceCode(tList); List<Reduction> res = syn.derivateDFLeftToRight(sc); ASTGenerator astgen=new ASTGenerator(res); ASTJb ast=astgen.generateAST(); }
testM2AddProgram
[ "useBlockProduction", "setRootNode" ]
[ "add", "add", "add", "add", "add", "add", "add", "add", "add", "add", "add", "add", "add", "add", "add", "add", "add", "add", "add", "add", "add", "add", "add", "add", "add", "add", "add", "add", "add", "add", "add", "add", "add", "add", "add", "add", "add", "add", "add", "add", "derivateDFLeftToRight", "generateAST" ]
{ "class_fields": "ASTGenerator instance;\nLogger logger=LoggerFactory.getLogger(this.getClass());\nTargetGrammar syn=new TargetGrammar();", "class_name": "ASTGeneratorTest" }
{ "class_fields": "boolean debug=false;\nLogger logger=LoggerFactory.getLogger(ASTGenerator.class);\nList<TargetGrammar.Reduction> reductions;\nStack<BlockNodeJb> currentBlocks;\nList<Object> nonDisposedTokenConsumer=new LinkedList<>();", "class_name": "ASTGenerator", "method_signatures": "public ASTGenerator(List<TargetGrammar.Reduction> reductions)\npublic ASTJb generateAST()\nprivate BlockNodeJb useBlockProduction()\nprivate BlockNodeJb useBlockProductionDeclarationsOnly()\nprivate void useDeclsProduction()\nprivate DeclarationNodeJb useDeclProduction()\nprivate DeclarationNodeJb useDeclarationTypeProduction()\nprivate void useStmtsProduction()\nprivate StatementNodeJb useStmtProduction()\nprivate IdentifierNodeJb useLocProduction()\nprivate ExpressionNodeJb useAssignProduction()\nprivate ExpressionNodeJb useBoolProduction()\nprivate ExpressionNodeJb useJoinProduction()\nprivate ExpressionNodeJb useEqualityProduction()\nprivate ExpressionNodeJb useRelProduction()\nprivate ExpressionNodeJb useExprProduction()\nprivate ExpressionNodeJb useTermProduction()\nprivate ExpressionNodeJb useUnaryProduction()\nprivate ExpressionNodeJb useFactorProduction()" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: javabite-parser/src/main/java/swp_compiler_ss13/javabite/parser/astGenerator/ASTGenerator.java for which to generate the test case is:\nclass_name: ASTGenerator\n\nclass_fields: boolean debug=false;\nLogger logger=LoggerFactory.getLogger(ASTGenerator.class);\nList<TargetGrammar.Reduction> reductions;\nStack<BlockNodeJb> currentBlocks;\nList<Object> nonDisposedTokenConsumer=new LinkedList<>();\n\nmethod_signatures: public ASTGenerator(List<TargetGrammar.Reduction> reductions)\npublic ASTJb generateAST()\nprivate BlockNodeJb useBlockProduction()\nprivate BlockNodeJb useBlockProductionDeclarationsOnly()\nprivate void useDeclsProduction()\nprivate DeclarationNodeJb useDeclProduction()\nprivate DeclarationNodeJb useDeclarationTypeProduction()\nprivate void useStmtsProduction()\nprivate StatementNodeJb useStmtProduction()\nprivate IdentifierNodeJb useLocProduction()\nprivate ExpressionNodeJb useAssignProduction()\nprivate ExpressionNodeJb useBoolProduction()\nprivate ExpressionNodeJb useJoinProduction()\nprivate ExpressionNodeJb useEqualityProduction()\nprivate ExpressionNodeJb useRelProduction()\nprivate ExpressionNodeJb useExprProduction()\nprivate ExpressionNodeJb useTermProduction()\nprivate ExpressionNodeJb useUnaryProduction()\nprivate ExpressionNodeJb useFactorProduction()\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: ASTGeneratorTest\n\nclass_fields: ASTGenerator instance;\nLogger logger=LoggerFactory.getLogger(this.getClass());\nTargetGrammar syn=new TargetGrammar();\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file javabite-parser/src/main/java/swp_compiler_ss13/javabite/parser/astGenerator/ASTGenerator.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public ASTJb generateAST() {\n\t\t// generate AST\n\t\tASTJb ast = new ASTJb();\n\n\t\tBlockNode rootNode = this.useBlockProduction();\n\t\tast.setRootNode(rootNode);\n\t\n\t\t\n\t\treturn ast;\n\t}\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n javabite-parser/src/test/java/swp_compiler_ss13/javabite/parser/astGenerator/ASTGeneratorTest.java\n </TESTFILE7041>\n @Test\n\tpublic void testM2AddProgram() {\n\t\t/*# returns 10\n\t\t# prints nothing\n\t\tlong a;\n\t\tlong b;\n\t\tlong c;\n\n\t\ta = 4;\n\t\tb = 3;\n\t\tc = 2;\n\n\t\ta = b = 4;\n\t\tc = a + b + c;\n\n\t\treturn c;\n\t\t*/\n\t\tList<Token> tList = new LinkedList<>();\n\t\t// #returns 10\n\t\ttList.add(new TokenJb(TokenType.COMMENT, \"returns 10\"));\n\t\t// #prints nothing\t\t\n\t\ttList.add(new TokenJb(TokenType.COMMENT, \"prints nothing\"));\n\t\t\n\t\t// long a;\n\t\ttList.add(new TokenJb(TokenType.LONG_SYMBOL, \"long\"));\n\t\ttList.add(new TokenJb(TokenType.ID, \"a\"));\n\t\ttList.add(new TokenJb(TokenType.SEMICOLON, \";\"));\n\t\t\n\t\t// long a;\n\t\ttList.add(new TokenJb(TokenType.LONG_SYMBOL, \"long\"));\n\t\ttList.add(new TokenJb(TokenType.ID, \"b\"));\n\t\ttList.add(new TokenJb(TokenType.SEMICOLON, \";\"));\n\n\t\t// long a;\n\t\ttList.add(new TokenJb(TokenType.LONG_SYMBOL, \"long\"));\n\t\ttList.add(new TokenJb(TokenType.ID, \"c\"));\n\t\ttList.add(new TokenJb(TokenType.SEMICOLON, \";\"));\n\t\t\n\t\t// a = 4;\n\t\ttList.add(new TokenJb(TokenType.ID, \"a\"));\n\t\ttList.add(new TokenJb(TokenType.ASSIGNOP, \"=\"));\n\t\ttList.add(new NumTokenJb(TokenType.NUM, \"4\"));\n\t\ttList.add(new TokenJb(TokenType.SEMICOLON, \";\"));\n\t\t\n\t\t// b = 3;\n\t\ttList.add(new TokenJb(TokenType.ID, \"b\"));\n\t\ttList.add(new TokenJb(TokenType.ASSIGNOP, \"=\"));\n\t\ttList.add(new NumTokenJb(TokenType.NUM, \"3\"));\n\t\ttList.add(new TokenJb(TokenType.SEMICOLON, \";\"));\n\t\t\n\t\t// c = 2;\n\t\ttList.add(new TokenJb(TokenType.ID, \"c\"));\n\t\ttList.add(new TokenJb(TokenType.ASSIGNOP, \"=\"));\n\t\ttList.add(new NumTokenJb(TokenType.NUM, \"2\"));\n\t\ttList.add(new TokenJb(TokenType.SEMICOLON, \";\"));\n\t\t\n\t\t// a = b = 4;\n\t\ttList.add(new TokenJb(TokenType.ID, \"a\"));\n\t\ttList.add(new TokenJb(TokenType.ASSIGNOP, \"=\"));\n\t\ttList.add(new TokenJb(TokenType.ID,\"b\"));\n\t\ttList.add(new TokenJb(TokenType.ASSIGNOP, \"=\"));\n\t\ttList.add(new NumTokenJb(TokenType.NUM, \"4\"));\n\t\ttList.add(new TokenJb(TokenType.SEMICOLON, \";\"));\n\t\t\n\t\t// \tc = a + b + c;\n\t\ttList.add(new TokenJb(TokenType.ID, \"c\"));\n\t\ttList.add(new TokenJb(TokenType.ASSIGNOP, \"=\"));\n\t\ttList.add(new TokenJb(TokenType.ID,\"a\"));\n\t\ttList.add(new TokenJb(TokenType.PLUS, \"+\"));\n\t\ttList.add(new TokenJb(TokenType.ID,\"b\"));\n\t\ttList.add(new TokenJb(TokenType.PLUS, \"+\"));\n\t\ttList.add(new TokenJb(TokenType.ID,\"c\"));\n\t\ttList.add(new TokenJb(TokenType.SEMICOLON, \";\"));\n\t\t\n\t\t// return c;\n\t\ttList.add(new TokenJb(TokenType.RETURN,\"return\"));\n\t\ttList.add(new TokenJb(TokenType.ID,\"c\"));\n\t\ttList.add(new TokenJb(TokenType.SEMICOLON,\";\"));\n\t\t\n\t\tTargetGrammar.SourceCode sc = syn.new SourceCode(tList);\n\t\tList<Reduction> res = syn.derivateDFLeftToRight(sc);\n\t\tASTGenerator astgen=new ASTGenerator(res);\n\t\tASTJb ast=astgen.generateAST();\n\t\t\n\t}\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/sleuthkit/hadoop_framework
java
core/src/main/java/com/lightboxtechnologies/nsrl/OSData.java
core/src/test/java/com/lightboxtechnologies/nsrl/OSDataTest.java
@Override public int hashCode() { return new HashCodeBuilder().append(code) .append(name) .append(version) .append(mfg_code) .toHashCode(); }
hashCode
@Test public void hashCodeSame() { final OSData a = new OSData(code, name, version, mfg_code); final OSData b = new OSData(code, name, version, mfg_code); assertTrue(a.hashCode() == b.hashCode()); }
hashCodeSame
[ "toHashCode", "append", "append", "append", "append" ]
[ "assertTrue", "hashCode", "hashCode" ]
{ "class_fields": "private static final String code = \"YourMomsCode\";\nprivate static final String name = \"MomOS\";\nprivate static final String version = \"1.0\";\nprivate static final String mfg_code = \"YourMom\";", "class_name": "OSDataTest" }
{ "class_fields": "public final String code;\npublic final String name;\npublic final String version;\npublic final String mfg_code;", "class_name": "OSData", "method_signatures": "public OSData(String code, String name, String version, String mfg_code)\n@Override public String toString()\n@Override public boolean equals(Object o)\n@Override public int hashCode()" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: core/src/main/java/com/lightboxtechnologies/nsrl/OSData.java for which to generate the test case is:\nclass_name: OSData\n\nclass_fields: public final String code;\npublic final String name;\npublic final String version;\npublic final String mfg_code;\n\nmethod_signatures: public OSData(String code, String name, String version, String mfg_code)\n@Override public String toString()\n@Override public boolean equals(Object o)\n@Override public int hashCode()\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: OSDataTest\n\nclass_fields: private static final String code = \"YourMomsCode\";\nprivate static final String name = \"MomOS\";\nprivate static final String version = \"1.0\";\nprivate static final String mfg_code = \"YourMom\";\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file core/src/main/java/com/lightboxtechnologies/nsrl/OSData.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public int hashCode() {\n return new HashCodeBuilder().append(code)\n .append(name)\n .append(version)\n .append(mfg_code)\n .toHashCode();\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n core/src/test/java/com/lightboxtechnologies/nsrl/OSDataTest.java\n </TESTFILE7041>\n @Test\n public void hashCodeSame() {\n final OSData a = new OSData(code, name, version, mfg_code);\n final OSData b = new OSData(code, name, version, mfg_code);\n assertTrue(a.hashCode() == b.hashCode());\n }\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/swp-uebersetzerbau-ss13/javabite
java
javabite-parser/src/main/java/swp_compiler_ss13/javabite/parser/grammar/SLRAutomaton.java
javabite-parser/src/test/java/swp_compiler_ss13/javabite/parser/grammar/SLRAutomatonTest.java
public List<Production<T, NT>> getDerivationASsSequence( Word<T, NT> word_total) { Stack<State> state_stack = new Stack<>(); Stack<Symbol> symbol_stack = new Stack<>(); state_stack.push(initialState); symbol_stack.push(g.word_end); List<Production<T, NT>> productions = new LinkedList<>(); Queue<T> word = new ArrayDeque<>(word_total); word.add(g.word_end); while (!state_stack.isEmpty()) { State state = state_stack.peek(); if (state.isStateAccepting()) break; Symbol a = word.peek(); if (g.isTerminal(a)) { T t = (T) a; State nextStateTrans = state.transition.get(t); Set<Production> nextProdFollow = possibleReductionsInState(t, state); if (nextStateTrans != null && !nextProdFollow.isEmpty() || nextStateTrans == null && nextProdFollow.isEmpty() || nextProdFollow.size() > 1) { if (nextStateTrans == null && nextProdFollow.isEmpty()){ logger.warn( "behaviour not defined, policy set to DIE. next state by shift: {}, next states by follow: {}", nextStateTrans, nextProdFollow); logger.warn("current terminal: {}", a); logger.warn("productions so far: {}", productions); logger.warn("state stack {}", state_stack); logger.warn("symbol stack {}", symbol_stack); logger.warn("word actual {}", word); logger.warn("word complete {}", word_total); logger.warn("states:"); //for (State st : states) { // logger.warn("\n{}", st.descriptionAsString()); //} throw new WordNotInLanguageGrammarException( (swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) t); } if (policy == AMBIGUITY_POLICY.DIE) { logger.warn( "behaviour not defined, policy set to DIE. next state by shift: {}, next states by follow: {}", nextStateTrans, nextProdFollow); logger.warn("current terminal: {}", a); logger.warn("productions so far: {}", productions); logger.warn("state stack {}", state_stack); logger.warn("symbol stack {}", symbol_stack); logger.warn("word actual {}", word); logger.warn("word complete {}", word_total); logger.warn("states:"); //for (State st : states) { // logger.warn("\n{}", st.descriptionAsString()); //} if (nextStateTrans != null && !nextProdFollow.isEmpty()) { if (t instanceof swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) { throw new AmbiguityInDerivationGrammarException( (swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) t); } else logger.warn("Dont know how to react..."); } else if (nextStateTrans == null && nextProdFollow.isEmpty()) { if (t instanceof swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) { throw new WordNotInLanguageGrammarException( (swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) t); } else logger.warn("Dont know how to react..."); } else if (nextProdFollow.size() > 1) { if (t instanceof swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) { throw new AmbiguityInDerivationGrammarException( (swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) t); } else logger.warn("Dont know how to react..."); } else { throw new RuntimeException( "Enexptected state reached"); } } else if (policy==AMBIGUITY_POLICY.PREFER_REDUCE){ if (nextProdFollow.size()==1){ // disable shift nextStateTrans=null; } else{ logger.error("policy PREFER_REDUCE is not applicable, because multiple or none (exact :{}) reductions are possible",nextProdFollow.size()); if (nextProdFollow.size()>1) throw new AmbiguityInDerivationGrammarException( (swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) t); } } else if (policy==AMBIGUITY_POLICY.PREFER_SHIFT){ logger.info("policy PREFER_SHIFT is applicable and used"); // diable of reduce not necessary nextProdFollow=null; } else{ throw new RuntimeException("Invalid Policy"); } } // do shift if possible if (nextStateTrans != null) { word.poll(); symbol_stack.push(a); state_stack.push(nextStateTrans); } else { // reduce Production todo = nextProdFollow.iterator().next(); List<Symbol> original_right_side = new LinkedList<>(); for (int i = todo.right.size() - 1; i >= 0; i--) { state_stack.pop(); original_right_side.add(symbol_stack.pop()); } Collections.reverse(original_right_side); State stateBeforeProduction = state_stack.peek(); State nextState = stateBeforeProduction.transition .get(todo.left); state_stack.push(nextState); symbol_stack.push(todo.left); todo.right = original_right_side; productions.add(todo); } } } return productions; }
getDerivationASsSequence
@Test public void testDerivationSequenceVeryComplex(){ SLRAutomaton<SimpleT, SimpleNT> automaton=new SLRAutomaton<>(g1); Word<SimpleT,SimpleNT> original=new Word<SimpleT,SimpleNT>(g1, listTok(T_ID,T_MUL,T_ID,T_ADD,T_ID,T_MUL,T_OPEN,T_ID,T_ADD,T_ID,T_CLOSE,T_ADD,T_ID)); List<Production<SimpleT,SimpleNT>> productions=automaton.getDerivationASsSequence(original); Collections.reverse(productions); Word<SimpleT,SimpleNT> derivated=Word.getWordFromRightMostDerivation(g1, productions); assertEquals("must be the same",original,derivated); }
testDerivationSequenceVeryComplex
[ "push", "push", "add", "isEmpty", "peek", "isStateAccepting", "peek", "isTerminal", "get", "possibleReductionsInState", "isEmpty", "isEmpty", "size", "isEmpty", "warn", "warn", "warn", "warn", "warn", "warn", "warn", "warn", "warn", "warn", "warn", "warn", "warn", "warn", "warn", "warn", "isEmpty", "warn", "isEmpty", "warn", "size", "warn", "size", "error", "size", "size", "info", "poll", "push", "push", "next", "iterator", "size", "pop", "add", "pop", "reverse", "peek", "get", "push", "push", "add" ]
[ "listTok", "getDerivationASsSequence", "reverse", "getWordFromRightMostDerivation", "assertEquals" ]
{ "class_fields": "SimpleT T_ADD=new SimpleT(\"+\");\nSimpleT T_MUL=new SimpleT(\"*\");\nSimpleT T_OPEN=new SimpleT(\"(\");\nSimpleT T_CLOSE=new SimpleT(\")\");\nSimpleT T_ID=new SimpleT(\"id\");\nSimpleT T_EOF=new SimpleT(\"$\");\nSimpleT T_EPSILON=new SimpleT(\"[eps]\");\nSimpleNT E=new SimpleNT(\"E\");\nSimpleNT T=new SimpleNT(\"T\");\nSimpleNT F=new SimpleNT(\"F\");\nSimpleNT E_=new SimpleNT(\"E'\");\nfinal Grammar<SimpleT,SimpleNT> g1=new Grammar<>(E,E_,T_EOF,T_EPSILON);\nfinal Grammar<SimpleT,SimpleNT> g2=new Grammar<>(E,E_,T_EOF,T_EPSILON);", "class_name": "SLRAutomatonTest" }
{ "class_fields": "Integer state_num = 0;\nGrammar<T, NT> g;\nState initialState;\nfinal Set<State> states = new HashSet<>();\nfinal State acceptState = new State();\nAMBIGUITY_POLICY policy = AMBIGUITY_POLICY.DIE;\nLogger logger = LoggerFactory.getLogger(this.getClass());", "class_name": "SLRAutomaton", "method_signatures": "public SLRAutomaton(Grammar<T, NT> referenceGrammar)\npublic void setAmbiguityPolicy(AMBIGUITY_POLICY policy)\nprivate State getStateFor(Map<NT, Set<Item<T, NT>>> kernel)\nprivate int getAllStateItems()\nprivate void build()\npublic List<Production<T, NT>> getDerivationASsSequence(\n\t\t\tWord<T, NT> word_total)\nprivate Set<Production> possibleReductionsInState(T t, State st)\npublic int getNStates()" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: javabite-parser/src/main/java/swp_compiler_ss13/javabite/parser/grammar/SLRAutomaton.java for which to generate the test case is:\nclass_name: SLRAutomaton\n\nclass_fields: Integer state_num = 0;\nGrammar<T, NT> g;\nState initialState;\nfinal Set<State> states = new HashSet<>();\nfinal State acceptState = new State();\nAMBIGUITY_POLICY policy = AMBIGUITY_POLICY.DIE;\nLogger logger = LoggerFactory.getLogger(this.getClass());\n\nmethod_signatures: public SLRAutomaton(Grammar<T, NT> referenceGrammar)\npublic void setAmbiguityPolicy(AMBIGUITY_POLICY policy)\nprivate State getStateFor(Map<NT, Set<Item<T, NT>>> kernel)\nprivate int getAllStateItems()\nprivate void build()\npublic List<Production<T, NT>> getDerivationASsSequence(\n\t\t\tWord<T, NT> word_total)\nprivate Set<Production> possibleReductionsInState(T t, State st)\npublic int getNStates()\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: SLRAutomatonTest\n\nclass_fields: SimpleT T_ADD=new SimpleT(\"+\");\nSimpleT T_MUL=new SimpleT(\"*\");\nSimpleT T_OPEN=new SimpleT(\"(\");\nSimpleT T_CLOSE=new SimpleT(\")\");\nSimpleT T_ID=new SimpleT(\"id\");\nSimpleT T_EOF=new SimpleT(\"$\");\nSimpleT T_EPSILON=new SimpleT(\"[eps]\");\nSimpleNT E=new SimpleNT(\"E\");\nSimpleNT T=new SimpleNT(\"T\");\nSimpleNT F=new SimpleNT(\"F\");\nSimpleNT E_=new SimpleNT(\"E'\");\nfinal Grammar<SimpleT,SimpleNT> g1=new Grammar<>(E,E_,T_EOF,T_EPSILON);\nfinal Grammar<SimpleT,SimpleNT> g2=new Grammar<>(E,E_,T_EOF,T_EPSILON);\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file javabite-parser/src/main/java/swp_compiler_ss13/javabite/parser/grammar/SLRAutomaton.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public List<Production<T, NT>> getDerivationASsSequence(\n\t\t\tWord<T, NT> word_total) {\n\n\t\tStack<State> state_stack = new Stack<>();\n\t\tStack<Symbol> symbol_stack = new Stack<>();\n\t\tstate_stack.push(initialState);\n\t\tsymbol_stack.push(g.word_end);\n\n\t\tList<Production<T, NT>> productions = new LinkedList<>();\n\t\tQueue<T> word = new ArrayDeque<>(word_total);\n\t\tword.add(g.word_end);\n\t\twhile (!state_stack.isEmpty()) {\n\t\t\tState state = state_stack.peek();\n\t\t\tif (state.isStateAccepting())\n\t\t\t\tbreak;\n\n\t\t\tSymbol a = word.peek();\n\t\t\tif (g.isTerminal(a)) {\n\t\t\t\tT t = (T) a;\n\t\t\t\tState nextStateTrans = state.transition.get(t);\n\t\t\t\tSet<Production> nextProdFollow = possibleReductionsInState(t,\n\t\t\t\t\t\tstate);\n\t\t\t\tif (nextStateTrans != null && !nextProdFollow.isEmpty()\n\t\t\t\t\t\t|| nextStateTrans == null && nextProdFollow.isEmpty()\n\t\t\t\t\t\t|| nextProdFollow.size() > 1) {\n\t\t\t\t\t\n\t\t\t\t\tif (nextStateTrans == null && nextProdFollow.isEmpty()){\n\t\t\t\t\t\tlogger.warn(\n\t\t\t\t\t\t\t\t\"behaviour not defined, policy set to DIE. next state by shift: {}, next states by follow: {}\",\n\t\t\t\t\t\t\t\tnextStateTrans, nextProdFollow);\n\t\t\t\t\t\tlogger.warn(\"current terminal: {}\", a);\n\t\t\t\t\t\tlogger.warn(\"productions so far: {}\", productions);\n\t\t\t\t\t\tlogger.warn(\"state stack {}\", state_stack);\n\t\t\t\t\t\tlogger.warn(\"symbol stack {}\", symbol_stack);\n\t\t\t\t\t\tlogger.warn(\"word actual {}\", word);\n\t\t\t\t\t\tlogger.warn(\"word complete {}\", word_total);\n\t\t\t\t\t\tlogger.warn(\"states:\");\n\t\t\t\t\t\t//for (State st : states) {\n\t\t\t\t\t\t//\tlogger.warn(\"\\n{}\", st.descriptionAsString());\n\t\t\t\t\t\t//}\n\t\t\t\t\t\tthrow new WordNotInLanguageGrammarException(\n\t\t\t\t\t\t\t\t(swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) t);\n\t\t\t\t\t}\n\t\t\t\t\t\n\t\t\t\t\tif (policy == AMBIGUITY_POLICY.DIE) {\n\t\t\t\t\t\tlogger.warn(\n\t\t\t\t\t\t\t\t\"behaviour not defined, policy set to DIE. next state by shift: {}, next states by follow: {}\",\n\t\t\t\t\t\t\t\tnextStateTrans, nextProdFollow);\n\t\t\t\t\t\tlogger.warn(\"current terminal: {}\", a);\n\t\t\t\t\t\tlogger.warn(\"productions so far: {}\", productions);\n\t\t\t\t\t\tlogger.warn(\"state stack {}\", state_stack);\n\t\t\t\t\t\tlogger.warn(\"symbol stack {}\", symbol_stack);\n\t\t\t\t\t\tlogger.warn(\"word actual {}\", word);\n\t\t\t\t\t\tlogger.warn(\"word complete {}\", word_total);\n\t\t\t\t\t\tlogger.warn(\"states:\");\n\t\t\t\t\t\t//for (State st : states) {\n\t\t\t\t\t\t//\tlogger.warn(\"\\n{}\", st.descriptionAsString());\n\t\t\t\t\t\t//}\n\n\t\t\t\t\t\tif (nextStateTrans != null && !nextProdFollow.isEmpty()) {\n\t\t\t\t\t\t\tif (t instanceof swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) {\n\t\t\t\t\t\t\t\tthrow new AmbiguityInDerivationGrammarException(\n\t\t\t\t\t\t\t\t\t\t(swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) t);\n\t\t\t\t\t\t\t} else\n\t\t\t\t\t\t\t\tlogger.warn(\"Dont know how to react...\");\n\t\t\t\t\t\t} else if (nextStateTrans == null\n\t\t\t\t\t\t\t\t&& nextProdFollow.isEmpty()) {\n\t\t\t\t\t\t\tif (t instanceof swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) {\n\t\t\t\t\t\t\t\tthrow new WordNotInLanguageGrammarException(\n\t\t\t\t\t\t\t\t\t\t(swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) t);\n\t\t\t\t\t\t\t} else\n\t\t\t\t\t\t\t\tlogger.warn(\"Dont know how to react...\");\n\t\t\t\t\t\t} else if (nextProdFollow.size() > 1) {\n\t\t\t\t\t\t\tif (t instanceof swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) {\n\t\t\t\t\t\t\t\tthrow new AmbiguityInDerivationGrammarException(\n\t\t\t\t\t\t\t\t\t\t(swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) t);\n\t\t\t\t\t\t\t} else\n\t\t\t\t\t\t\t\tlogger.warn(\"Dont know how to react...\");\n\t\t\t\t\t\t} else {\n\t\t\t\t\t\t\tthrow new RuntimeException(\n\t\t\t\t\t\t\t\t\t\"Enexptected state reached\");\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t\telse if (policy==AMBIGUITY_POLICY.PREFER_REDUCE){\n\t\t\t\t\t\tif (nextProdFollow.size()==1){\n\t\t\t\t\t\t\t// disable shift\n\t\t\t\t\t\t\tnextStateTrans=null;\n\t\t\t\t\t\t}\n\t\t\t\t\t\telse{\n\t\t\t\t\t\t\tlogger.error(\"policy PREFER_REDUCE is not applicable, because multiple or none (exact :{}) reductions are possible\",nextProdFollow.size());\n\t\t\t\t\t\t\tif (nextProdFollow.size()>1)\n\t\t\t\t\t\t\t\tthrow new AmbiguityInDerivationGrammarException(\n\t\t\t\t\t\t\t\t\t\t(swp_compiler_ss13.javabite.parser.targetgrammar.Terminal) t);\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t\telse if (policy==AMBIGUITY_POLICY.PREFER_SHIFT){\n\t\t\t\t\t\tlogger.info(\"policy PREFER_SHIFT is applicable and used\");\n\t\t\t\t\t\t// diable of reduce not necessary\n\t\t\t\t\t\tnextProdFollow=null;\n\t\t\t\t\t}\n\t\t\t\t\telse{\n\t\t\t\t\t\tthrow new RuntimeException(\"Invalid Policy\");\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t\t// do shift if possible\n\t\t\t\tif (nextStateTrans != null) {\n\t\t\t\t\tword.poll();\n\t\t\t\t\tsymbol_stack.push(a);\n\t\t\t\t\tstate_stack.push(nextStateTrans);\n\t\t\t\t} else {\n\t\t\t\t\t// reduce\n\t\t\t\t\tProduction todo = nextProdFollow.iterator().next();\n\t\t\t\t\tList<Symbol> original_right_side = new LinkedList<>();\n\t\t\t\t\tfor (int i = todo.right.size() - 1; i >= 0; i--) {\n\t\t\t\t\t\tstate_stack.pop();\n\t\t\t\t\t\toriginal_right_side.add(symbol_stack.pop());\n\t\t\t\t\t}\n\t\t\t\t\tCollections.reverse(original_right_side);\n\t\t\t\t\tState stateBeforeProduction = state_stack.peek();\n\t\t\t\t\tState nextState = stateBeforeProduction.transition\n\t\t\t\t\t\t\t.get(todo.left);\n\t\t\t\t\t\n\t\t\t\t\tstate_stack.push(nextState);\n\t\t\t\t\tsymbol_stack.push(todo.left);\n\t\t\t\t\ttodo.right = original_right_side;\n\t\t\t\t\tproductions.add(todo);\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t\treturn productions;\n\t}\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n javabite-parser/src/test/java/swp_compiler_ss13/javabite/parser/grammar/SLRAutomatonTest.java\n </TESTFILE7041>\n @Test\n\tpublic void testDerivationSequenceVeryComplex(){\n\t\tSLRAutomaton<SimpleT, SimpleNT> automaton=new SLRAutomaton<>(g1);\n\t\tWord<SimpleT,SimpleNT> original=new Word<SimpleT,SimpleNT>(g1, listTok(T_ID,T_MUL,T_ID,T_ADD,T_ID,T_MUL,T_OPEN,T_ID,T_ADD,T_ID,T_CLOSE,T_ADD,T_ID));\n\t\tList<Production<SimpleT,SimpleNT>> productions=automaton.getDerivationASsSequence(original);\n\t\tCollections.reverse(productions);\n\t\tWord<SimpleT,SimpleNT> derivated=Word.getWordFromRightMostDerivation(g1, productions); \n\t\tassertEquals(\"must be the same\",original,derivated);\n\t}\n </CODE5711>\n ", "role": "assistant" } ]
https://github.com/sleuthkit/hadoop_framework
java
core/src/main/java/com/lightboxtechnologies/nsrl/HashRecordProcessor.java
core/src/test/java/com/lightboxtechnologies/nsrl/HashRecordProcessorTest.java
public HashData process(String[] col) throws BadDataException { if (col.length < 8) { throw new BadDataException("too few columns"); } else if (col.length > 8) { throw new BadDataException("too many columns"); } long size = 0; try { size = Long.parseLong(col[4]); } catch (NumberFormatException e) { throw new BadDataException(e); } if (size < 0) { throw new BadDataException("size < 0"); } int prod_code = 0; try { prod_code = Integer.parseInt(col[5]); } catch (NumberFormatException e) { throw new BadDataException(e); } if (prod_code < 0) { throw new BadDataException("prod_code < 0"); } byte[] sha1, md5, crc32; try { sha1 = (byte[]) hex.decode(col[0]); md5 = (byte[]) hex.decode(col[1]); crc32 = (byte[]) hex.decode(col[2]); } catch (DecoderException e) { throw new BadDataException(e); } return new HashData( sha1, md5, crc32, col[3], size, prod_code, col[6], col[7] ); }
process
@Test(expected=BadDataException.class) public void processNonnumericSize() throws BadDataException { final RecordProcessor<HashData> proc = new HashRecordProcessor(); proc.process(new String[] { Hex.encodeHexString(sha1), Hex.encodeHexString(md5), Hex.encodeHexString(crc32), name, "foo", String.valueOf(prod_code), os_code, special_code }); }
processNonnumericSize
[ "parseLong", "parseInt", "decode", "decode", "decode" ]
[ "process", "encodeHexString", "encodeHexString", "encodeHexString", "valueOf" ]
{ "class_fields": "private static final Hex hex = new Hex();\nprivate static final String name = \"c'est ne pas un name\";\nprivate static final long size = 42;\nprivate static final int prod_code = 13;\nprivate static final String os_code = \"89\";\nprivate static final String special_code = \"so fucking special\";\nprivate static byte[] sha1;\nprivate static byte[] md5;\nprivate static byte[] crc32;", "class_name": "HashRecordProcessorTest" }
{ "class_fields": "private static final Hex hex = new Hex();", "class_name": "HashRecordProcessor implements RecordProcessor<HashData>", "method_signatures": "public HashData process(String[] col)" }
[ { "content": "\n You are an AI coding assistant, specialized in generating unit test, your role is to assist developers in creating comprehensive test suites. Your tasks include but not limited to:\n 1. Writing a test case for the entire source code file.\n 2. Adding test cases for individual functions.\n 3. Generating patches to fix or append functions in existing test cases.\n ", "role": "system" }, { "content": "Codebase Context from the file path: core/src/main/java/com/lightboxtechnologies/nsrl/HashRecordProcessor.java for which to generate the test case is:\nclass_name: HashRecordProcessor implements RecordProcessor<HashData>\n\nclass_fields: private static final Hex hex = new Hex();\n\nmethod_signatures: public HashData process(String[] col)\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "Codebase Context from the existing test file:\nclass_name: HashRecordProcessorTest\n\nclass_fields: private static final Hex hex = new Hex();\nprivate static final String name = \"c'est ne pas un name\";\nprivate static final long size = 42;\nprivate static final int prod_code = 13;\nprivate static final String os_code = \"89\";\nprivate static final String special_code = \"so fucking special\";\nprivate static byte[] sha1;\nprivate static byte[] md5;\nprivate static byte[] crc32;\n\n", "role": "user" }, { "content": "Ok.", "role": "assistant" }, { "content": "\n Here is my selected code from my codebase file core/src/main/java/com/lightboxtechnologies/nsrl/HashRecordProcessor.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public HashData process(String[] col) throws BadDataException {\n if (col.length < 8) {\n throw new BadDataException(\"too few columns\");\n }\n else if (col.length > 8) {\n throw new BadDataException(\"too many columns\");\n }\n\n long size = 0;\n try {\n size = Long.parseLong(col[4]);\n }\n catch (NumberFormatException e) {\n throw new BadDataException(e);\n }\n\n if (size < 0) {\n throw new BadDataException(\"size < 0\");\n }\n\n int prod_code = 0;\n try {\n prod_code = Integer.parseInt(col[5]);\n }\n catch (NumberFormatException e) {\n throw new BadDataException(e);\n }\n\n if (prod_code < 0) {\n throw new BadDataException(\"prod_code < 0\");\n }\n\n byte[] sha1, md5, crc32;\n try {\n sha1 = (byte[]) hex.decode(col[0]);\n md5 = (byte[]) hex.decode(col[1]);\n crc32 = (byte[]) hex.decode(col[2]);\n }\n catch (DecoderException e) {\n throw new BadDataException(e);\n }\n\n return new HashData(\n sha1, md5, crc32, col[3], size, prod_code, col[6], col[7]\n );\n }\n </SELECTEDCODE7662>\n As my programming assistant and an expert in testing code, follow instructions below to generate code for my selected code: \n Review the shared context to identify the testing framework and libraries in use. \n Then, generate a suite of multiple unit tests for the selected function using the detected test framework and libraries. \n Be sure to import the function being tested. Use the same patterns, testing framework, conventions, and libraries as shown in the shared context. \n Only import modules, functions, dependencies, and mocks based on shared code. If a test suite for the selected code is in the shared context, focus on generating new tests for uncovered cases. \n If none are detected, import common unit test libraries for java. Focus on validating key functionality with simple and complete assertions. \n Before writing the tests, identify which testing libraries and frameworks to use and import. At the end, enclose the fully completed code for the new unit tests without any comments, fragments, or TODOs. \n The new tests should validate the expected functionality and cover edge cases for with all required imports, including the function being tested. Do not repeat tests from the shared context. Enclose only the complete runnable tests.\n\n\n \n\n RULES:\n - Do not enclose response with any markdown formatting or triple backticks.\n - Enclose only the generated code in <CODE5711> XML tags.\n - Your response must start with the <TESTFILE7041> XML tags with a suggested file name for the test code.`,\n ", "role": "user" } ]
[ { "content": "\n <CODE5711>\n <TESTFILE7041>\n core/src/test/java/com/lightboxtechnologies/nsrl/HashRecordProcessorTest.java\n </TESTFILE7041>\n @Test(expected=BadDataException.class)\n public void processNonnumericSize() throws BadDataException {\n final RecordProcessor<HashData> proc = new HashRecordProcessor();\n proc.process(new String[] {\n Hex.encodeHexString(sha1), Hex.encodeHexString(md5),\n Hex.encodeHexString(crc32), name, \"foo\",\n String.valueOf(prod_code), os_code, special_code\n });\n }\n </CODE5711>\n ", "role": "assistant" } ]