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/hostettler/JEE7-Demo | java | jee7-search-service/src/main/java/ch/demo/dom/Student.java | jee7-search-service/src/test/java/ch/demo/dom/StudentTest.java | @Override
public boolean equals(final Object obj) {
if (this == obj) {
return true;
}
if (obj instanceof Student) {
if (this.lastName.equals(((Student) obj).lastName)
&& this.firstName.equals(((Student) obj).firstName)
&& this.birthDate.equals(((Student) obj).birthDate)) {
return true;
}
}
return false;
} | equals | @Test
public void shouldTestNotEq() {
Student s1 = new Student("Steve", "Hostettler", new Date());
Student s2 = new Student("Steve", "Gostettler", new Date());
Assert.assertFalse("s1=s2", s1.equals(s2));
} | shouldTestNotEq | [
"equals",
"equals",
"equals"
] | [
"assertFalse",
"equals"
] | {
"class_fields": "",
"class_name": "StudentTest"
} | {
"class_fields": "private static final long serialVersionUID = -6146935825517747043L;\n@Id\n @Column(name = \"ID\")\n @GeneratedValue(strategy=GenerationType.IDENTITY)\n private Long id;\n@Column(name = \"LAST_NAME\", length = 35)\n @NotNull\n @Size(min=2, max=35)\n private String lastName;\n@Column(name = \"FIRST_NAME\", nullable = false, length = 35)\n @NotNull\n @Size(min=2, max=35) \n private String firstName;\n@Column(name = \"BIRTH_DATE\", nullable = false)\n @Temporal(TemporalType.DATE)\n @NotNull\n private Date birthDate;\n@Column(name = \"PHONE_NUMBER\")\n @Convert(converter=JPAPhoneNumberConverter.class)\n private PhoneNumber phoneNumber;\nprivate transient Gender mGender;\n@Embedded\n private Address address;\n@OneToMany(cascade = CascadeType.ALL, fetch = FetchType.LAZY, mappedBy = \"student\")\n private List<Grade> grades;\n@Lob\n @Basic(fetch = FetchType.LAZY)\n @Column(table = \"PICTURES\", name = \"PICTURE\", nullable = true)\n private byte[] picture;\n@OneToOne(mappedBy = \"student\")\n private Badge badge;",
"class_name": "Student implements Serializable",
"method_signatures": "public Long getId()\npublic Student()\npublic final PhoneNumber getPhoneNumber()\npublic final void setPhoneNumber(final PhoneNumber pPhoneNumber)\npublic Student(final String lastName, final String firstName,\n final Date birthDate)\npublic String getKey()\npublic final String getLastName()\npublic final void setLastName(final String pLastName)\npublic final String getFirstName()\npublic final void setFirstName(final String pFirstName)\npublic final Date getBirthDate()\npublic final void setBirthDate(final Date pBirthDate)\npublic final Float getAvgGrade()\npublic final List<Grade> getGrades()\npublic final Discipline[] getDisciplines()\npublic final Gender getGender()\npublic final void setGender(final Gender gender)\n@Override public int hashCode()\n@Override public boolean equals(final Object obj)\n@Override public String toString()\npublic final Address getAddress()\npublic final void setAddress(final Address pAddress)\npublic final byte[] getPicture()\npublic void setPicture(final byte[] pPicture)\npublic Badge getBadge()\npublic void setBadge(final Badge pBadge)\npublic void setId(Long id)"
} | [
{
"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: jee7-search-service/src/main/java/ch/demo/dom/Student.java for which to generate the test case is:\nclass_name: Student implements Serializable\n\nclass_fields: private static final long serialVersionUID = -6146935825517747043L;\n@Id\n @Column(name = \"ID\")\n @GeneratedValue(strategy=GenerationType.IDENTITY)\n private Long id;\n@Column(name = \"LAST_NAME\", length = 35)\n @NotNull\n @Size(min=2, max=35)\n private String lastName;\n@Column(name = \"FIRST_NAME\", nullable = false, length = 35)\n @NotNull\n @Size(min=2, max=35) \n private String firstName;\n@Column(name = \"BIRTH_DATE\", nullable = false)\n @Temporal(TemporalType.DATE)\n @NotNull\n private Date birthDate;\n@Column(name = \"PHONE_NUMBER\")\n @Convert(converter=JPAPhoneNumberConverter.class)\n private PhoneNumber phoneNumber;\nprivate transient Gender mGender;\n@Embedded\n private Address address;\n@OneToMany(cascade = CascadeType.ALL, fetch = FetchType.LAZY, mappedBy = \"student\")\n private List<Grade> grades;\n@Lob\n @Basic(fetch = FetchType.LAZY)\n @Column(table = \"PICTURES\", name = \"PICTURE\", nullable = true)\n private byte[] picture;\n@OneToOne(mappedBy = \"student\")\n private Badge badge;\n\nmethod_signatures: public Long getId()\npublic Student()\npublic final PhoneNumber getPhoneNumber()\npublic final void setPhoneNumber(final PhoneNumber pPhoneNumber)\npublic Student(final String lastName, final String firstName,\n final Date birthDate)\npublic String getKey()\npublic final String getLastName()\npublic final void setLastName(final String pLastName)\npublic final String getFirstName()\npublic final void setFirstName(final String pFirstName)\npublic final Date getBirthDate()\npublic final void setBirthDate(final Date pBirthDate)\npublic final Float getAvgGrade()\npublic final List<Grade> getGrades()\npublic final Discipline[] getDisciplines()\npublic final Gender getGender()\npublic final void setGender(final Gender gender)\n@Override public int hashCode()\n@Override public boolean equals(final Object obj)\n@Override public String toString()\npublic final Address getAddress()\npublic final void setAddress(final Address pAddress)\npublic final byte[] getPicture()\npublic void setPicture(final byte[] pPicture)\npublic Badge getBadge()\npublic void setBadge(final Badge pBadge)\npublic void setId(Long id)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: StudentTest\n\nclass_fields: \n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file jee7-search-service/src/main/java/ch/demo/dom/Student.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public boolean equals(final Object obj) {\n if (this == obj) {\n return true;\n }\n if (obj instanceof Student) {\n if (this.lastName.equals(((Student) obj).lastName)\n && this.firstName.equals(((Student) obj).firstName)\n && this.birthDate.equals(((Student) obj).birthDate)) {\n return true;\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 jee7-search-service/src/test/java/ch/demo/dom/StudentTest.java\n </TESTFILE7041>\n @Test\n\tpublic void shouldTestNotEq() {\n\t\tStudent s1 = new Student(\"Steve\", \"Hostettler\", new Date());\n\t\tStudent s2 = new Student(\"Steve\", \"Gostettler\", new Date());\n\t\tAssert.assertFalse(\"s1=s2\", s1.equals(s2));\n\n\t}\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/apache/incubator-gobblin | java | gobblin-utility/src/main/java/org/apache/gobblin/util/SerializationUtils.java | gobblin-utility/src/test/java/org/apache/gobblin/util/SerializationUtilsTest.java | public static <T extends State> void deserializeState(FileSystem fs, Path jobStateFilePath, T state)
throws IOException {
try (InputStream is = fs.open(jobStateFilePath)) {
deserializeStateFromInputStream(is, state);
}
} | deserializeState | @Test(dependsOnMethods = "testSerializeState")
public void testDeserializeState() throws IOException {
WorkUnit workUnit1 = WorkUnit.createEmpty();
WorkUnit workUnit2 = WorkUnit.createEmpty();
SerializationUtils.deserializeState(this.fs, new Path(this.outputPath, "wu1"), workUnit1);
SerializationUtils.deserializeState(this.fs, new Path(this.outputPath, "wu2"), workUnit2);
Assert.assertEquals(workUnit1.getPropertyNames().size(), 2);
Assert.assertEquals(workUnit1.getProp("foo"), "bar");
Assert.assertEquals(workUnit1.getPropAsInt("a"), 10);
Assert.assertEquals(workUnit2.getPropertyNames().size(), 2);
Assert.assertEquals(workUnit2.getProp("foo"), "baz");
Assert.assertEquals(workUnit2.getPropAsInt("b"), 20);
} | testDeserializeState | [
"open",
"deserializeStateFromInputStream"
] | [
"createEmpty",
"createEmpty",
"deserializeState",
"deserializeState",
"assertEquals",
"size",
"getPropertyNames",
"assertEquals",
"getProp",
"assertEquals",
"getPropAsInt",
"assertEquals",
"size",
"getPropertyNames",
"assertEquals",
"getProp",
"assertEquals",
"getPropAsInt"
] | {
"class_fields": "private FileSystem fs;\nprivate Path outputPath;",
"class_name": "SerializationUtilsTest"
} | {
"class_fields": "private static final BaseEncoding DEFAULT_ENCODING = BaseEncoding.base64();",
"class_name": "SerializationUtils",
"method_signatures": "public static String serialize(T obj)\npublic static String serialize(T obj, BaseEncoding enc)\npublic static byte[] serializeIntoBytes(T obj)\npublic static T deserialize(String serialized, Class<T> clazz)\npublic static T deserialize(String serialized, Class<T> clazz, BaseEncoding enc)\npublic static T deserializeFromBytes(byte[] serialized, Class<T> clazz)\npublic static void serializeState(FileSystem fs, Path jobStateFilePath, T state)\npublic static void serializeState(FileSystem fs, Path jobStateFilePath, T state, short replication)\npublic static void deserializeState(FileSystem fs, Path jobStateFilePath, T state)\npublic static void deserializeStateFromInputStream(InputStream is, T state)"
} | [
{
"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: gobblin-utility/src/main/java/org/apache/gobblin/util/SerializationUtils.java for which to generate the test case is:\nclass_name: SerializationUtils\n\nclass_fields: private static final BaseEncoding DEFAULT_ENCODING = BaseEncoding.base64();\n\nmethod_signatures: public static String serialize(T obj)\npublic static String serialize(T obj, BaseEncoding enc)\npublic static byte[] serializeIntoBytes(T obj)\npublic static T deserialize(String serialized, Class<T> clazz)\npublic static T deserialize(String serialized, Class<T> clazz, BaseEncoding enc)\npublic static T deserializeFromBytes(byte[] serialized, Class<T> clazz)\npublic static void serializeState(FileSystem fs, Path jobStateFilePath, T state)\npublic static void serializeState(FileSystem fs, Path jobStateFilePath, T state, short replication)\npublic static void deserializeState(FileSystem fs, Path jobStateFilePath, T state)\npublic static void deserializeStateFromInputStream(InputStream is, T state)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: SerializationUtilsTest\n\nclass_fields: private FileSystem fs;\nprivate Path outputPath;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file gobblin-utility/src/main/java/org/apache/gobblin/util/SerializationUtils.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public static <T extends State> void deserializeState(FileSystem fs, Path jobStateFilePath, T state)\n throws IOException {\n try (InputStream is = fs.open(jobStateFilePath)) {\n deserializeStateFromInputStream(is, state);\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 gobblin-utility/src/test/java/org/apache/gobblin/util/SerializationUtilsTest.java\n </TESTFILE7041>\n @Test(dependsOnMethods = \"testSerializeState\")\n public void testDeserializeState() throws IOException {\n WorkUnit workUnit1 = WorkUnit.createEmpty();\n WorkUnit workUnit2 = WorkUnit.createEmpty();\n\n SerializationUtils.deserializeState(this.fs, new Path(this.outputPath, \"wu1\"), workUnit1);\n SerializationUtils.deserializeState(this.fs, new Path(this.outputPath, \"wu2\"), workUnit2);\n\n Assert.assertEquals(workUnit1.getPropertyNames().size(), 2);\n Assert.assertEquals(workUnit1.getProp(\"foo\"), \"bar\");\n Assert.assertEquals(workUnit1.getPropAsInt(\"a\"), 10);\n\n Assert.assertEquals(workUnit2.getPropertyNames().size(), 2);\n Assert.assertEquals(workUnit2.getProp(\"foo\"), \"baz\");\n Assert.assertEquals(workUnit2.getPropAsInt(\"b\"), 20);\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lmco/eurekastreams | java | server/src/main/java/org/eurekastreams/server/action/execution/GetTutorialVideoExecution.java | server/src/test/java/org/eurekastreams/server/action/execution/GetTutorialVideoExecutionTest.java | @Override
public Serializable execute(final PrincipalActionContext inActionContext)
{
return (Serializable) tutorialVideoMapper.execute(null);
} | execute | @Test
public void testExecution()
{
GetTutorialVideoExecution sut = new GetTutorialVideoExecution(tutorialVideoMapper);
context.checking(new Expectations()
{
{
oneOf(tutorialVideoMapper).execute(null);
will(returnValue(new HashSet<TutorialVideoDTO>()));
}
});
assertNotNull(sut.execute(null));
context.assertIsSatisfied();
} | testExecution | [
"execute"
] | [
"checking",
"execute",
"oneOf",
"will",
"returnValue",
"assertNotNull",
"execute",
"assertIsSatisfied"
] | {
"class_fields": "private final Mockery context = new JUnit4Mockery()\n {\n {\n setImposteriser(ClassImposteriser.INSTANCE);\n }\n };\nprivate DomainMapper<Long, Set<TutorialVideoDTO>> tutorialVideoMapper = context.mock(DomainMapper.class);",
"class_name": "GetTutorialVideoExecutionTest"
} | {
"class_fields": "private final DomainMapper<Long, Set<TutorialVideoDTO>> tutorialVideoMapper;",
"class_name": "GetTutorialVideoExecution implements ExecutionStrategy<PrincipalActionContext>",
"method_signatures": "public GetTutorialVideoExecution(final DomainMapper<Long, Set<TutorialVideoDTO>> inTutorialVideoMapper)\n@Override public Serializable execute(final PrincipalActionContext inActionContext)"
} | [
{
"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: server/src/main/java/org/eurekastreams/server/action/execution/GetTutorialVideoExecution.java for which to generate the test case is:\nclass_name: GetTutorialVideoExecution implements ExecutionStrategy<PrincipalActionContext>\n\nclass_fields: private final DomainMapper<Long, Set<TutorialVideoDTO>> tutorialVideoMapper;\n\nmethod_signatures: public GetTutorialVideoExecution(final DomainMapper<Long, Set<TutorialVideoDTO>> inTutorialVideoMapper)\n@Override public Serializable execute(final PrincipalActionContext inActionContext)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: GetTutorialVideoExecutionTest\n\nclass_fields: private final Mockery context = new JUnit4Mockery()\n {\n {\n setImposteriser(ClassImposteriser.INSTANCE);\n }\n };\nprivate DomainMapper<Long, Set<TutorialVideoDTO>> tutorialVideoMapper = context.mock(DomainMapper.class);\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file server/src/main/java/org/eurekastreams/server/action/execution/GetTutorialVideoExecution.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public Serializable execute(final PrincipalActionContext inActionContext)\n {\n return (Serializable) tutorialVideoMapper.execute(null);\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 server/src/test/java/org/eurekastreams/server/action/execution/GetTutorialVideoExecutionTest.java\n </TESTFILE7041>\n @Test\n public void testExecution()\n {\n GetTutorialVideoExecution sut = new GetTutorialVideoExecution(tutorialVideoMapper);\n\n context.checking(new Expectations()\n {\n {\n oneOf(tutorialVideoMapper).execute(null);\n will(returnValue(new HashSet<TutorialVideoDTO>()));\n }\n });\n\n assertNotNull(sut.execute(null));\n context.assertIsSatisfied();\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/apache/incubator-gobblin | java | gobblin-core/src/main/java/org/apache/gobblin/source/extractor/watermark/SimpleWatermark.java | gobblin-core/src/test/java/org/apache/gobblin/source/extractor/watermark/SimpleWatermarkTest.java | @Override
public HashMap<Long, Long> getIntervals(long lowWatermarkValue, long highWatermarkValue, long partitionInterval,
int maxIntervals) {
Preconditions.checkArgument(partitionInterval >= 1,
"Invalid value for partitionInterval, value should be at least 1.");
Preconditions.checkArgument(maxIntervals > 0, "Invalid value for maxIntervals, positive value expected.");
HashMap<Long, Long> intervalMap = new HashMap<>();
long nextNum;
long interval = getInterval(lowWatermarkValue, highWatermarkValue, partitionInterval, maxIntervals);
LOG.info("Recalculated partition interval:" + interval);
if (interval == 0) {
return intervalMap;
}
long startNum = lowWatermarkValue;
long endNum = highWatermarkValue;
boolean longOverflow = false;
if (startNum == endNum) {
intervalMap.put(startNum, endNum);
return intervalMap;
}
while (startNum < endNum && !longOverflow) {
longOverflow = (Long.MAX_VALUE - interval < startNum);
nextNum = longOverflow ? endNum : Math.min(startNum + interval, endNum);
intervalMap.put(startNum, nextNum);
startNum = nextNum;
}
return intervalMap;
} | getIntervals | @Test
public void testGetIntervalsPartitionIntervalNegative() {
try {
this.simpleWatermark.getIntervals(0, 100, Integer.MIN_VALUE, 1000);
Assert.fail("Expected java.lang.IllegalArgumentException, but didn't get one");
} catch (java.lang.IllegalArgumentException e) {}
} | testGetIntervalsPartitionIntervalNegative | [
"checkArgument",
"checkArgument",
"getInterval",
"info",
"put",
"min",
"put"
] | [
"getIntervals",
"fail"
] | {
"class_fields": "private static final String COLUMN = \"my_column\";\nprivate static final String GREATER_THAN = \">=\";\nprivate SimpleWatermark simpleWatermark;",
"class_name": "SimpleWatermarkTest"
} | {
"class_fields": "private static final Logger LOG = LoggerFactory.getLogger(SimpleWatermark.class);\nprivate static final int deltaForNextWatermark = 1;\nprivate String watermarkColumn;",
"class_name": "SimpleWatermark implements Watermark",
"method_signatures": "public SimpleWatermark(String watermarkColumn, String watermarkFormat)\n@Override public String getWatermarkCondition(QueryBasedExtractor<?, ?> extractor, long watermarkValue, String operator)\n@Override public int getDeltaNumForNextWatermark()\n@Override public HashMap<Long, Long> getIntervals(long lowWatermarkValue, long highWatermarkValue, long partitionInterval,\n int maxIntervals)\nprivate static long getInterval(long lowWatermarkValue, long highWatermarkValue, long partitionInterval,\n int maxIntervals)\npublic static long adjustWatermark(String baseWatermark, int diff)"
} | [
{
"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: gobblin-core/src/main/java/org/apache/gobblin/source/extractor/watermark/SimpleWatermark.java for which to generate the test case is:\nclass_name: SimpleWatermark implements Watermark\n\nclass_fields: private static final Logger LOG = LoggerFactory.getLogger(SimpleWatermark.class);\nprivate static final int deltaForNextWatermark = 1;\nprivate String watermarkColumn;\n\nmethod_signatures: public SimpleWatermark(String watermarkColumn, String watermarkFormat)\n@Override public String getWatermarkCondition(QueryBasedExtractor<?, ?> extractor, long watermarkValue, String operator)\n@Override public int getDeltaNumForNextWatermark()\n@Override public HashMap<Long, Long> getIntervals(long lowWatermarkValue, long highWatermarkValue, long partitionInterval,\n int maxIntervals)\nprivate static long getInterval(long lowWatermarkValue, long highWatermarkValue, long partitionInterval,\n int maxIntervals)\npublic static long adjustWatermark(String baseWatermark, int diff)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: SimpleWatermarkTest\n\nclass_fields: private static final String COLUMN = \"my_column\";\nprivate static final String GREATER_THAN = \">=\";\nprivate SimpleWatermark simpleWatermark;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file gobblin-core/src/main/java/org/apache/gobblin/source/extractor/watermark/SimpleWatermark.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public HashMap<Long, Long> getIntervals(long lowWatermarkValue, long highWatermarkValue, long partitionInterval,\n int maxIntervals) {\n Preconditions.checkArgument(partitionInterval >= 1,\n \"Invalid value for partitionInterval, value should be at least 1.\");\n Preconditions.checkArgument(maxIntervals > 0, \"Invalid value for maxIntervals, positive value expected.\");\n\n HashMap<Long, Long> intervalMap = new HashMap<>();\n long nextNum;\n long interval = getInterval(lowWatermarkValue, highWatermarkValue, partitionInterval, maxIntervals);\n LOG.info(\"Recalculated partition interval:\" + interval);\n if (interval == 0) {\n return intervalMap;\n }\n\n long startNum = lowWatermarkValue;\n long endNum = highWatermarkValue;\n boolean longOverflow = false;\n\n if (startNum == endNum) {\n intervalMap.put(startNum, endNum);\n return intervalMap;\n }\n\n while (startNum < endNum && !longOverflow) {\n longOverflow = (Long.MAX_VALUE - interval < startNum);\n nextNum = longOverflow ? endNum : Math.min(startNum + interval, endNum);\n intervalMap.put(startNum, nextNum);\n startNum = nextNum;\n }\n return intervalMap;\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 gobblin-core/src/test/java/org/apache/gobblin/source/extractor/watermark/SimpleWatermarkTest.java\n </TESTFILE7041>\n @Test\n public void testGetIntervalsPartitionIntervalNegative() {\n try {\n this.simpleWatermark.getIntervals(0, 100, Integer.MIN_VALUE, 1000);\n Assert.fail(\"Expected java.lang.IllegalArgumentException, but didn't get one\");\n } catch (java.lang.IllegalArgumentException e) {}\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/apache/incubator-gobblin | java | gobblin-modules/gobblin-kafka-08/src/main/java/org/apache/gobblin/source/extractor/extract/kafka/KafkaDeserializerExtractor.java | gobblin-modules/gobblin-kafka-08/src/test/java/org/apache/gobblin/source/extractor/extract/kafka/KafkaDeserializerExtractorTest.java | @Override
protected Object decodeRecord(ByteArrayBasedKafkaRecord messageAndOffset) throws IOException {
Object deserialized = kafkaDeserializer.deserialize(this.topicName, messageAndOffset.getMessageBytes());
// For Confluent's Schema Registry the read schema is the latest registered schema to support schema evolution
return (this.latestSchema == null) ? deserialized
: AvroUtils.convertRecordSchema((GenericRecord) deserialized, this.latestSchema);
} | decodeRecord | @Test
public void testDeserializeRecord() throws IOException {
WorkUnitState mockWorkUnitState = getMockWorkUnitState(0L,10L);
String testString = "Hello World";
ByteBuffer testStringByteBuffer = ByteBuffer.wrap(testString.getBytes(StandardCharsets.UTF_8));
Deserializer<Object> mockKafkaDecoder = mock(Deserializer.class);
KafkaSchemaRegistry<?, ?> mockKafkaSchemaRegistry = mock(KafkaSchemaRegistry.class);
when(mockKafkaDecoder.deserialize(TEST_TOPIC_NAME, testStringByteBuffer.array())).thenReturn(testString);
KafkaDeserializerExtractor kafkaDecoderExtractor = new KafkaDeserializerExtractor(mockWorkUnitState,
Optional.fromNullable(Deserializers.BYTE_ARRAY),
mockKafkaDecoder, mockKafkaSchemaRegistry);
ByteArrayBasedKafkaRecord mockMessageAndOffset = getMockMessageAndOffset(testStringByteBuffer);
Assert.assertEquals(kafkaDecoderExtractor.decodeRecord(mockMessageAndOffset), testString);
} | testDeserializeRecord | [
"deserialize",
"getMessageBytes",
"convertRecordSchema"
] | [
"getMockWorkUnitState",
"wrap",
"getBytes",
"mock",
"mock",
"thenReturn",
"when",
"deserialize",
"array",
"fromNullable",
"getMockMessageAndOffset",
"assertEquals",
"decodeRecord"
] | {
"class_fields": "private static final String TEST_TOPIC_NAME = \"testTopic\";\nprivate static final String TEST_URL = \"testUrl\";\nprivate static final String TEST_RECORD_NAME = \"testRecord\";\nprivate static final String TEST_NAMESPACE = \"testNamespace\";\nprivate static final String TEST_FIELD_NAME = \"testField\";\nprivate static final String TEST_FIELD_NAME2 = \"testField2\";",
"class_name": "KafkaDeserializerExtractorTest"
} | {
"class_fields": "private static final Logger LOG = LoggerFactory.getLogger(KafkaDeserializerExtractor.class);\npublic static final String KAFKA_DESERIALIZER_TYPE = \"kafka.deserializer.type\";\nprivate static final String CONFLUENT_SCHEMA_REGISTRY_URL = \"schema.registry.url\";\nprivate final Deserializer<?> kafkaDeserializer;\nprivate final KafkaSchemaRegistry<?, ?> kafkaSchemaRegistry;\nprivate final Schema latestSchema;",
"class_name": "KafkaDeserializerExtractor extends KafkaExtractor<Object, Object>",
"method_signatures": "public KafkaDeserializerExtractor(WorkUnitState state)\nprivate KafkaDeserializerExtractor(WorkUnitState state, Optional<Deserializers> deserializerType)\n@VisibleForTesting KafkaDeserializerExtractor(WorkUnitState state, Optional<Deserializers> deserializerType,\n Deserializer<?> kafkaDeserializer, KafkaSchemaRegistry<?, ?> kafkaSchemaRegistry)\n@Override protected Object decodeRecord(ByteArrayBasedKafkaRecord messageAndOffset)\n@Override public Object getSchema()\nprivate static Optional<Deserializers> getDeserializerType(Properties props)\nprivate static Deserializer<?> getDeserializer(Properties props, Optional<Deserializers> deserializerType)\nprivate static KafkaSchemaRegistry<?, ?> getKafkaSchemaRegistry(Properties props)\nprivate static Properties getProps(WorkUnitState workUnitState)"
} | [
{
"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: gobblin-modules/gobblin-kafka-08/src/main/java/org/apache/gobblin/source/extractor/extract/kafka/KafkaDeserializerExtractor.java for which to generate the test case is:\nclass_name: KafkaDeserializerExtractor extends KafkaExtractor<Object, Object>\n\nclass_fields: private static final Logger LOG = LoggerFactory.getLogger(KafkaDeserializerExtractor.class);\npublic static final String KAFKA_DESERIALIZER_TYPE = \"kafka.deserializer.type\";\nprivate static final String CONFLUENT_SCHEMA_REGISTRY_URL = \"schema.registry.url\";\nprivate final Deserializer<?> kafkaDeserializer;\nprivate final KafkaSchemaRegistry<?, ?> kafkaSchemaRegistry;\nprivate final Schema latestSchema;\n\nmethod_signatures: public KafkaDeserializerExtractor(WorkUnitState state)\nprivate KafkaDeserializerExtractor(WorkUnitState state, Optional<Deserializers> deserializerType)\n@VisibleForTesting KafkaDeserializerExtractor(WorkUnitState state, Optional<Deserializers> deserializerType,\n Deserializer<?> kafkaDeserializer, KafkaSchemaRegistry<?, ?> kafkaSchemaRegistry)\n@Override protected Object decodeRecord(ByteArrayBasedKafkaRecord messageAndOffset)\n@Override public Object getSchema()\nprivate static Optional<Deserializers> getDeserializerType(Properties props)\nprivate static Deserializer<?> getDeserializer(Properties props, Optional<Deserializers> deserializerType)\nprivate static KafkaSchemaRegistry<?, ?> getKafkaSchemaRegistry(Properties props)\nprivate static Properties getProps(WorkUnitState workUnitState)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: KafkaDeserializerExtractorTest\n\nclass_fields: private static final String TEST_TOPIC_NAME = \"testTopic\";\nprivate static final String TEST_URL = \"testUrl\";\nprivate static final String TEST_RECORD_NAME = \"testRecord\";\nprivate static final String TEST_NAMESPACE = \"testNamespace\";\nprivate static final String TEST_FIELD_NAME = \"testField\";\nprivate static final String TEST_FIELD_NAME2 = \"testField2\";\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file gobblin-modules/gobblin-kafka-08/src/main/java/org/apache/gobblin/source/extractor/extract/kafka/KafkaDeserializerExtractor.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n protected Object decodeRecord(ByteArrayBasedKafkaRecord messageAndOffset) throws IOException {\n Object deserialized = kafkaDeserializer.deserialize(this.topicName, messageAndOffset.getMessageBytes());\n\n // For Confluent's Schema Registry the read schema is the latest registered schema to support schema evolution\n return (this.latestSchema == null) ? deserialized\n : AvroUtils.convertRecordSchema((GenericRecord) deserialized, this.latestSchema);\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 gobblin-modules/gobblin-kafka-08/src/test/java/org/apache/gobblin/source/extractor/extract/kafka/KafkaDeserializerExtractorTest.java\n </TESTFILE7041>\n @Test\n public void testDeserializeRecord() throws IOException {\n WorkUnitState mockWorkUnitState = getMockWorkUnitState(0L,10L);\n\n String testString = \"Hello World\";\n ByteBuffer testStringByteBuffer = ByteBuffer.wrap(testString.getBytes(StandardCharsets.UTF_8));\n\n Deserializer<Object> mockKafkaDecoder = mock(Deserializer.class);\n KafkaSchemaRegistry<?, ?> mockKafkaSchemaRegistry = mock(KafkaSchemaRegistry.class);\n when(mockKafkaDecoder.deserialize(TEST_TOPIC_NAME, testStringByteBuffer.array())).thenReturn(testString);\n\n KafkaDeserializerExtractor kafkaDecoderExtractor = new KafkaDeserializerExtractor(mockWorkUnitState,\n Optional.fromNullable(Deserializers.BYTE_ARRAY),\n mockKafkaDecoder, mockKafkaSchemaRegistry);\n\n ByteArrayBasedKafkaRecord mockMessageAndOffset = getMockMessageAndOffset(testStringByteBuffer);\n\n Assert.assertEquals(kafkaDecoderExtractor.decodeRecord(mockMessageAndOffset), testString);\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lmco/eurekastreams | java | server/src/main/java/org/eurekastreams/server/search/bridge/BackgroundStringBridge.java | server/src/test/java/org/eurekastreams/server/search/bridge/BackgroundStringBridgeTest.java | @Override
public String objectToString(final Object backgroundObj)
{
if (backgroundObj == null || !(backgroundObj instanceof Background))
{
return null;
}
StringBuilder sb = new StringBuilder();
try
{
Background bg = (Background) backgroundObj;
// note: the extra space in the beginning here is for easier unit testing
sb.append(" ");
// we currently only index SKILLS since that's all that's settable
List<BackgroundItemType> handledTypes = new ArrayList<BackgroundItemType>();
handledTypes.add(BackgroundItemType.SKILL);
for (BackgroundItemType itemType : handledTypes)
{
sb.append(itemBridge.objectToString(bg.getBackgroundItems(itemType)));
}
sb.append(" ");
}
catch (Exception ex)
{
log.info("Error iterating through the list of background items - most likely because it's null, "
+ "but not detectable because it's a lazy-loaded collection. ", ex);
}
return sb.toString();
} | objectToString | @Test
public void testObjectToStringOnWrongType()
{
assertNull(sut.objectToString(3));
} | testObjectToStringOnWrongType | [
"append",
"add",
"append",
"objectToString",
"getBackgroundItems",
"append",
"info",
"toString"
] | [
"assertNull",
"objectToString"
] | {
"class_fields": "private final Mockery context = new JUnit4Mockery()\n {\n {\n setImposteriser(ClassImposteriser.INSTANCE);\n }\n };\nprivate BackgroundStringBridge sut = new BackgroundStringBridge();",
"class_name": "BackgroundStringBridgeTest"
} | {
"class_fields": "private final Log log = LogFactory.make();\nBackgroundItemListStringBridge itemBridge = new BackgroundItemListStringBridge();",
"class_name": "BackgroundStringBridge implements StringBridge",
"method_signatures": "@Override public String objectToString(final Object backgroundObj)"
} | [
{
"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: server/src/main/java/org/eurekastreams/server/search/bridge/BackgroundStringBridge.java for which to generate the test case is:\nclass_name: BackgroundStringBridge implements StringBridge\n\nclass_fields: private final Log log = LogFactory.make();\nBackgroundItemListStringBridge itemBridge = new BackgroundItemListStringBridge();\n\nmethod_signatures: @Override public String objectToString(final Object backgroundObj)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: BackgroundStringBridgeTest\n\nclass_fields: private final Mockery context = new JUnit4Mockery()\n {\n {\n setImposteriser(ClassImposteriser.INSTANCE);\n }\n };\nprivate BackgroundStringBridge sut = new BackgroundStringBridge();\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file server/src/main/java/org/eurekastreams/server/search/bridge/BackgroundStringBridge.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public String objectToString(final Object backgroundObj)\n {\n if (backgroundObj == null || !(backgroundObj instanceof Background))\n {\n return null;\n }\n\n StringBuilder sb = new StringBuilder();\n try\n {\n Background bg = (Background) backgroundObj;\n\n // note: the extra space in the beginning here is for easier unit testing\n sb.append(\" \");\n\n // we currently only index SKILLS since that's all that's settable\n List<BackgroundItemType> handledTypes = new ArrayList<BackgroundItemType>();\n handledTypes.add(BackgroundItemType.SKILL);\n\n for (BackgroundItemType itemType : handledTypes)\n {\n sb.append(itemBridge.objectToString(bg.getBackgroundItems(itemType)));\n }\n\n sb.append(\" \");\n }\n catch (Exception ex)\n {\n log.info(\"Error iterating through the list of background items - most likely because it's null, \"\n + \"but not detectable because it's a lazy-loaded collection. \", ex);\n }\n return sb.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 server/src/test/java/org/eurekastreams/server/search/bridge/BackgroundStringBridgeTest.java\n </TESTFILE7041>\n @Test\n public void testObjectToStringOnWrongType()\n {\n assertNull(sut.objectToString(3));\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/hostettler/JEE7-Demo | java | jee7-students-service/src/main/java/ch/demo/business/service/StudentServiceRs.java | jee7-students-service/src/test/java/ch/demo/business/service/StudentServiceRsTest.java | @GET
@Path("/nbStudents")
@Produces({ "application/json" })
public String getNbStudent() {
return "{\"nbStudents\":\"" + service.getNbStudent() + "\"}";
} | getNbStudent | @Test
public void shouldNbStudentReturnTheCurrentNbOfStudents() {
// We mostly test the return codes, syntax and encoding.
String result = sut.getNbStudent();
System.out.println(result);
Assert.assertTrue(result.contains("nbStudents"));
} | shouldNbStudentReturnTheCurrentNbOfStudents | [
"getNbStudent"
] | [
"getNbStudent",
"println",
"assertTrue",
"contains"
] | {
"class_fields": "@Inject\n\tprivate StudentServiceRs sut;",
"class_name": "StudentServiceRsTest"
} | {
"class_fields": "@Inject\n\tprivate StudentService service;",
"class_name": "StudentServiceRs",
"method_signatures": "@GET @Path(\"/nbStudents\") @Produces({ \"application/json\" }) public String getNbStudent()\n@GET @Path(\"/all\") @Produces({ \"application/json\" }) public Response getAll()\n@GET @Path(\"/byStudentId/{studentId}\") @Produces({ \"application/json\" }) public Response getStudentsByStudentId(\n\t\t\t@NotNull @Digits(integer = 7, fraction = 0) @PathParam(\"studentId\") String studentId)\n@PUT @Path(\"/add\") @Produces({ \"application/json\" }) public Response add(@NotNull Student student)\n@POST @Path(\"/update/{studentId}\") @Produces({ \"application/json\" }) public Response update(@NotNull @Digits(integer = 7, fraction = 0) @PathParam(\"studentId\") String studentId,\n\t\t\t@NotNull Student student)"
} | [
{
"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: jee7-students-service/src/main/java/ch/demo/business/service/StudentServiceRs.java for which to generate the test case is:\nclass_name: StudentServiceRs\n\nclass_fields: @Inject\n\tprivate StudentService service;\n\nmethod_signatures: @GET @Path(\"/nbStudents\") @Produces({ \"application/json\" }) public String getNbStudent()\n@GET @Path(\"/all\") @Produces({ \"application/json\" }) public Response getAll()\n@GET @Path(\"/byStudentId/{studentId}\") @Produces({ \"application/json\" }) public Response getStudentsByStudentId(\n\t\t\t@NotNull @Digits(integer = 7, fraction = 0) @PathParam(\"studentId\") String studentId)\n@PUT @Path(\"/add\") @Produces({ \"application/json\" }) public Response add(@NotNull Student student)\n@POST @Path(\"/update/{studentId}\") @Produces({ \"application/json\" }) public Response update(@NotNull @Digits(integer = 7, fraction = 0) @PathParam(\"studentId\") String studentId,\n\t\t\t@NotNull Student student)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: StudentServiceRsTest\n\nclass_fields: @Inject\n\tprivate StudentServiceRs sut;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file jee7-students-service/src/main/java/ch/demo/business/service/StudentServiceRs.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @GET\n\t@Path(\"/nbStudents\")\n\t@Produces({ \"application/json\" })\n\tpublic String getNbStudent() {\n\t\treturn \"{\\\"nbStudents\\\":\\\"\" + service.getNbStudent() + \"\\\"}\";\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 jee7-students-service/src/test/java/ch/demo/business/service/StudentServiceRsTest.java\n </TESTFILE7041>\n @Test\n\tpublic void shouldNbStudentReturnTheCurrentNbOfStudents() {\n\t\t// We mostly test the return codes, syntax and encoding.\n\t\tString result = sut.getNbStudent();\n\t\tSystem.out.println(result);\n\t\tAssert.assertTrue(result.contains(\"nbStudents\"));\n\t}\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lmco/eurekastreams | java | server/src/main/java/org/eurekastreams/server/action/execution/stream/GetParsedLinkInformationExecution.java | server/src/test/java/org/eurekastreams/server/action/execution/stream/GetParsedLinkInformationExecutionTest.java | @Override
public Serializable execute(final PrincipalActionContext inActionContext) throws ExecutionException
{
String url = (String) inActionContext.getParams();
LinkInformation theLink = null;
try
{
// First see if the user supplied a url with a protocol. If they didn't
// prepend http:// onto it.
if (!Pattern.matches("^([a-z]+://.+)", url))
{
url = "http://" + url;
}
url = connection.getFinalUrl(url, inActionContext.getPrincipal().getAccountId());
UniqueStringRequest req = new UniqueStringRequest(url);
theLink = mapper.execute(req);
if (null == theLink)
{
theLink = new LinkInformation();
theLink.setUrl(url);
// set the source to the protocol + authority
// (Take everything up to the first slash beyond the protocol-authority separator ://)
int postAuthorityIndex = url.indexOf("/", url.indexOf("://") + "://".length());
theLink.setSource(postAuthorityIndex == -1 ? url : url.substring(0, postAuthorityIndex));
// Attempt to retrieve the contents of the resource.
log.debug("Downloading resource: " + url);
try
{
String htmlString = connection.downloadFile(url, inActionContext.getPrincipal().getAccountId());
htmlString = htmlString.replace("\\s+", " ");
String host = connection.getHost(url);
for (HtmlLinkParser strategy : parsingStrategies)
{
Matcher match = Pattern.compile(strategy.getRegex()).matcher(host);
if (match.find())
{
log.debug("Found: " + strategy.getRegex());
strategy.parseLinkInformation(htmlString, theLink, inActionContext.getPrincipal()
.getAccountId());
break;
}
else
{
log.debug("Didn't find: " + strategy.getRegex());
}
}
}
catch (Exception e)
{
log.info("Failed to download resource and extract link information from it.", e);
}
theLink.setCreated(new Date());
insertMapper.execute(new PersistenceRequest<LinkInformation>(theLink));
insertMapper.flush();
}
}
catch (Exception ex)
{
// no reason to tell the user, s/he wont' care.
int dontCare = 0;
}
return theLink;
} | execute | @Test
public final void performActionDefaultStrategyTestWithBadLink() throws Exception
{
final String fixedUrl = "http://someurl.com";
final String theHtml = "<html><title>Some Title</title><body>text text text</html>";
context.checking(new Expectations()
{
{
oneOf(fileDownloader).downloadFile(fixedUrl, TEST_ACCOUNT);
will(returnValue(theHtml));
oneOf(fileDownloader).getFinalUrl(fixedUrl, TEST_ACCOUNT);
will(returnValue(fixedUrl));
oneOf(mapperMock).execute(with(any(UniqueStringRequest.class)));
will(returnValue(null));
oneOf(insertMapper).execute(with(any(PersistenceRequest.class)));
oneOf(insertMapper).flush();
oneOf(fileDownloader).getHost(fixedUrl);
will(throwException(new MalformedURLException()));
}
});
ServiceActionContext currentContext = new ServiceActionContext("someurl.com", principalMock);
sut.execute(currentContext);
context.assertIsSatisfied();
} | performActionDefaultStrategyTestWithBadLink | [
"getParams",
"matches",
"getFinalUrl",
"getAccountId",
"getPrincipal",
"execute",
"setUrl",
"indexOf",
"indexOf",
"length",
"setSource",
"substring",
"debug",
"downloadFile",
"getAccountId",
"getPrincipal",
"replace",
"getHost",
"matcher",
"compile",
"getRegex",
"find",
"debug",
"getRegex",
"parseLinkInformation",
"getAccountId",
"getPrincipal",
"debug",
"getRegex",
"info",
"setCreated",
"execute",
"flush"
] | [
"checking",
"downloadFile",
"oneOf",
"will",
"returnValue",
"getFinalUrl",
"oneOf",
"will",
"returnValue",
"execute",
"oneOf",
"with",
"any",
"will",
"returnValue",
"execute",
"oneOf",
"with",
"any",
"flush",
"oneOf",
"getHost",
"oneOf",
"will",
"throwException",
"execute",
"assertIsSatisfied"
] | {
"class_fields": "private GetParsedLinkInformationExecution sut;\nprivate final Mockery context = new JUnit4Mockery()\n {\n {\n setImposteriser(ClassImposteriser.INSTANCE);\n }\n };\nprivate final ConnectionFacade fileDownloader = context.mock(ConnectionFacade.class);\nprivate final FindLinkInformationByUrl mapperMock = context.mock(FindLinkInformationByUrl.class);\nprivate final InsertMapper<LinkInformation> insertMapper = context.mock(InsertMapper.class);\nprivate final List<HtmlLinkParser> strategies = new ArrayList<HtmlLinkParser>();\nprivate final HtmlLinkInformationParserStrategy imgParser = context.mock(HtmlLinkInformationParserStrategy.class,\n \"imgParser\");\nprivate final HtmlLinkInformationParserStrategy descParser = context.mock(HtmlLinkInformationParserStrategy.class,\n \"descParser\");\nprivate final HtmlLinkInformationParserStrategy titleParser = context.mock(HtmlLinkInformationParserStrategy.class,\n \"titleParser\");\nprivate final Principal principalMock = context.mock(Principal.class);\nprivate static final String TEST_ACCOUNT = \"testaccount\";",
"class_name": "GetParsedLinkInformationExecutionTest"
} | {
"class_fields": "private final Log log = LogFactory.make();\nList<HtmlLinkParser> parsingStrategies = null;\nprivate final ConnectionFacade connection;\nprivate FindLinkInformationByUrl mapper = null;\nprivate InsertMapper<LinkInformation> insertMapper = null;",
"class_name": "GetParsedLinkInformationExecution implements ExecutionStrategy<PrincipalActionContext>",
"method_signatures": "public GetParsedLinkInformationExecution(final ConnectionFacade inConnection,\n final FindLinkInformationByUrl inMapper, final InsertMapper<LinkInformation> inInsertMapper,\n final List<HtmlLinkParser> inParsingStrategies)\n@Override public Serializable execute(final PrincipalActionContext inActionContext)"
} | [
{
"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: server/src/main/java/org/eurekastreams/server/action/execution/stream/GetParsedLinkInformationExecution.java for which to generate the test case is:\nclass_name: GetParsedLinkInformationExecution implements ExecutionStrategy<PrincipalActionContext>\n\nclass_fields: private final Log log = LogFactory.make();\nList<HtmlLinkParser> parsingStrategies = null;\nprivate final ConnectionFacade connection;\nprivate FindLinkInformationByUrl mapper = null;\nprivate InsertMapper<LinkInformation> insertMapper = null;\n\nmethod_signatures: public GetParsedLinkInformationExecution(final ConnectionFacade inConnection,\n final FindLinkInformationByUrl inMapper, final InsertMapper<LinkInformation> inInsertMapper,\n final List<HtmlLinkParser> inParsingStrategies)\n@Override public Serializable execute(final PrincipalActionContext inActionContext)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: GetParsedLinkInformationExecutionTest\n\nclass_fields: private GetParsedLinkInformationExecution sut;\nprivate final Mockery context = new JUnit4Mockery()\n {\n {\n setImposteriser(ClassImposteriser.INSTANCE);\n }\n };\nprivate final ConnectionFacade fileDownloader = context.mock(ConnectionFacade.class);\nprivate final FindLinkInformationByUrl mapperMock = context.mock(FindLinkInformationByUrl.class);\nprivate final InsertMapper<LinkInformation> insertMapper = context.mock(InsertMapper.class);\nprivate final List<HtmlLinkParser> strategies = new ArrayList<HtmlLinkParser>();\nprivate final HtmlLinkInformationParserStrategy imgParser = context.mock(HtmlLinkInformationParserStrategy.class,\n \"imgParser\");\nprivate final HtmlLinkInformationParserStrategy descParser = context.mock(HtmlLinkInformationParserStrategy.class,\n \"descParser\");\nprivate final HtmlLinkInformationParserStrategy titleParser = context.mock(HtmlLinkInformationParserStrategy.class,\n \"titleParser\");\nprivate final Principal principalMock = context.mock(Principal.class);\nprivate static final String TEST_ACCOUNT = \"testaccount\";\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file server/src/main/java/org/eurekastreams/server/action/execution/stream/GetParsedLinkInformationExecution.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public Serializable execute(final PrincipalActionContext inActionContext) throws ExecutionException\n {\n String url = (String) inActionContext.getParams();\n\n LinkInformation theLink = null;\n\n try\n {\n // First see if the user supplied a url with a protocol. If they didn't\n // prepend http:// onto it.\n if (!Pattern.matches(\"^([a-z]+://.+)\", url))\n {\n url = \"http://\" + url;\n }\n url = connection.getFinalUrl(url, inActionContext.getPrincipal().getAccountId());\n\n UniqueStringRequest req = new UniqueStringRequest(url);\n theLink = mapper.execute(req);\n\n if (null == theLink)\n {\n theLink = new LinkInformation();\n theLink.setUrl(url);\n // set the source to the protocol + authority\n // (Take everything up to the first slash beyond the protocol-authority separator ://)\n int postAuthorityIndex = url.indexOf(\"/\", url.indexOf(\"://\") + \"://\".length());\n theLink.setSource(postAuthorityIndex == -1 ? url : url.substring(0, postAuthorityIndex));\n\n // Attempt to retrieve the contents of the resource.\n log.debug(\"Downloading resource: \" + url);\n try\n {\n String htmlString = connection.downloadFile(url, inActionContext.getPrincipal().getAccountId());\n htmlString = htmlString.replace(\"\\\\s+\", \" \");\n\n String host = connection.getHost(url);\n\n for (HtmlLinkParser strategy : parsingStrategies)\n {\n Matcher match = Pattern.compile(strategy.getRegex()).matcher(host);\n\n if (match.find())\n {\n log.debug(\"Found: \" + strategy.getRegex());\n strategy.parseLinkInformation(htmlString, theLink, inActionContext.getPrincipal()\n .getAccountId());\n break;\n }\n else\n {\n log.debug(\"Didn't find: \" + strategy.getRegex());\n }\n }\n }\n catch (Exception e)\n {\n log.info(\"Failed to download resource and extract link information from it.\", e);\n }\n\n theLink.setCreated(new Date());\n insertMapper.execute(new PersistenceRequest<LinkInformation>(theLink));\n insertMapper.flush();\n }\n }\n catch (Exception ex)\n {\n // no reason to tell the user, s/he wont' care.\n int dontCare = 0;\n }\n return theLink;\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 server/src/test/java/org/eurekastreams/server/action/execution/stream/GetParsedLinkInformationExecutionTest.java\n </TESTFILE7041>\n @Test\n public final void performActionDefaultStrategyTestWithBadLink() throws Exception\n {\n final String fixedUrl = \"http://someurl.com\";\n\n final String theHtml = \"<html><title>Some Title</title><body>text text text</html>\";\n\n context.checking(new Expectations()\n {\n {\n oneOf(fileDownloader).downloadFile(fixedUrl, TEST_ACCOUNT);\n will(returnValue(theHtml));\n\n oneOf(fileDownloader).getFinalUrl(fixedUrl, TEST_ACCOUNT);\n will(returnValue(fixedUrl));\n\n oneOf(mapperMock).execute(with(any(UniqueStringRequest.class)));\n will(returnValue(null));\n\n oneOf(insertMapper).execute(with(any(PersistenceRequest.class)));\n\n oneOf(insertMapper).flush();\n\n oneOf(fileDownloader).getHost(fixedUrl);\n will(throwException(new MalformedURLException()));\n }\n });\n\n ServiceActionContext currentContext = new ServiceActionContext(\"someurl.com\", principalMock);\n\n sut.execute(currentContext);\n\n context.assertIsSatisfied();\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/apache/incubator-gobblin | java | gobblin-core/src/main/java/org/apache/gobblin/source/extractor/watermark/HourWatermark.java | gobblin-core/src/test/java/org/apache/gobblin/source/extractor/watermark/HourWatermarkTest.java | @Override
synchronized public HashMap<Long, Long> getIntervals(long lowWatermarkValue, long highWatermarkValue,
long partitionIntervalInHours, int maxIntervals) {
Preconditions.checkArgument(maxIntervals > 0, "Invalid value for maxIntervals, positive value expected.");
Preconditions
.checkArgument(partitionIntervalInHours > 0, "Invalid value for partitionInterval, should be at least 1.");
HashMap<Long, Long> intervalMap = Maps.newHashMap();
if (lowWatermarkValue > highWatermarkValue) {
LOG.warn("The low water mark is greater than the high water mark, empty intervals are returned");
return intervalMap;
}
final Calendar calendar = Calendar.getInstance();
Date nextTime;
Date lowWatermarkDate = extractFromTimestamp(Long.toString(lowWatermarkValue));
Date highWatermarkDate = extractFromTimestamp(Long.toString(highWatermarkValue));
final long lowWatermark = lowWatermarkDate.getTime();
final long highWatermark = highWatermarkDate.getTime();
int interval = getInterval(highWatermark - lowWatermark, partitionIntervalInHours, maxIntervals);
LOG.info("Recalculated partition interval:" + interval + " hours");
Date startTime = new Date(lowWatermark);
Date endTime = new Date(highWatermark);
LOG.debug("Start time:" + startTime + "; End time:" + endTime);
long lwm;
long hwm;
if (startTime.getTime() == endTime.getTime()) {
lwm = Long.parseLong(inputFormatParser.format(startTime));
hwm = lwm;
intervalMap.put(lwm, hwm);
return intervalMap;
}
while (startTime.getTime() < endTime.getTime()) {
lwm = Long.parseLong(inputFormatParser.format(startTime));
calendar.setTime(startTime);
calendar.add(Calendar.HOUR, interval);
nextTime = calendar.getTime();
hwm = Long.parseLong(inputFormatParser.format(nextTime.getTime() <= endTime.getTime() ? nextTime : endTime));
intervalMap.put(lwm, hwm);
LOG.debug("Partition - low:" + lwm + "; high:" + hwm);
startTime = nextTime;
}
return intervalMap;
} | getIntervals | @Test(expectedExceptions = IllegalArgumentException.class)
public void testGetIntervalsOnInvalidPartitionInterval() {
HourWatermark hourwm = new HourWatermark("Datewatermark", "test");
long lwm = 20150201011111l;
long hwm = 20150206111111l;
int partition = -1;
int maxInterval = 2;
hourwm.getIntervals(lwm, hwm, partition, maxInterval);
} | testGetIntervalsOnInvalidPartitionInterval | [
"checkArgument",
"checkArgument",
"newHashMap",
"warn",
"getInstance",
"extractFromTimestamp",
"toString",
"extractFromTimestamp",
"toString",
"getTime",
"getTime",
"getInterval",
"info",
"debug",
"getTime",
"getTime",
"parseLong",
"format",
"put",
"getTime",
"getTime",
"parseLong",
"format",
"setTime",
"add",
"getTime",
"parseLong",
"format",
"getTime",
"getTime",
"put",
"debug"
] | [
"getIntervals"
] | {
"class_fields": "",
"class_name": "HourWatermarkTest"
} | {
"class_fields": "private static final Logger LOG = LoggerFactory.getLogger(HourWatermark.class);\nprivate static final String INPUTFORMAT = \"yyyyMMddHHmmss\";\nprivate static final String OUTPUTFORMAT = \"yyyyMMddHH\";\nprivate static final int deltaForNextWatermark = 60 * 60;\nprivate final SimpleDateFormat inputFormatParser;\nprivate String watermarkColumn;\nprivate String watermarkFormat;",
"class_name": "HourWatermark implements Watermark",
"method_signatures": "public HourWatermark(String watermarkColumn, String watermarkFormat)\n@Override public String getWatermarkCondition(QueryBasedExtractor<?, ?> extractor, long watermarkValue, String operator)\n@Override public int getDeltaNumForNextWatermark()\n@Override synchronized public HashMap<Long, Long> getIntervals(long lowWatermarkValue, long highWatermarkValue,\n long partitionIntervalInHours, int maxIntervals)\nprivate static int getInterval(long diffInMilliSecs, long hourInterval, int maxIntervals)\nsynchronized private static Date extractFromTimestamp(String watermark)\npublic static long adjustWatermark(String baseWatermark, int diff)"
} | [
{
"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: gobblin-core/src/main/java/org/apache/gobblin/source/extractor/watermark/HourWatermark.java for which to generate the test case is:\nclass_name: HourWatermark implements Watermark\n\nclass_fields: private static final Logger LOG = LoggerFactory.getLogger(HourWatermark.class);\nprivate static final String INPUTFORMAT = \"yyyyMMddHHmmss\";\nprivate static final String OUTPUTFORMAT = \"yyyyMMddHH\";\nprivate static final int deltaForNextWatermark = 60 * 60;\nprivate final SimpleDateFormat inputFormatParser;\nprivate String watermarkColumn;\nprivate String watermarkFormat;\n\nmethod_signatures: public HourWatermark(String watermarkColumn, String watermarkFormat)\n@Override public String getWatermarkCondition(QueryBasedExtractor<?, ?> extractor, long watermarkValue, String operator)\n@Override public int getDeltaNumForNextWatermark()\n@Override synchronized public HashMap<Long, Long> getIntervals(long lowWatermarkValue, long highWatermarkValue,\n long partitionIntervalInHours, int maxIntervals)\nprivate static int getInterval(long diffInMilliSecs, long hourInterval, int maxIntervals)\nsynchronized private static Date extractFromTimestamp(String watermark)\npublic static long adjustWatermark(String baseWatermark, int diff)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: HourWatermarkTest\n\nclass_fields: \n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file gobblin-core/src/main/java/org/apache/gobblin/source/extractor/watermark/HourWatermark.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n synchronized public HashMap<Long, Long> getIntervals(long lowWatermarkValue, long highWatermarkValue,\n long partitionIntervalInHours, int maxIntervals) {\n Preconditions.checkArgument(maxIntervals > 0, \"Invalid value for maxIntervals, positive value expected.\");\n Preconditions\n .checkArgument(partitionIntervalInHours > 0, \"Invalid value for partitionInterval, should be at least 1.\");\n HashMap<Long, Long> intervalMap = Maps.newHashMap();\n\n if (lowWatermarkValue > highWatermarkValue) {\n LOG.warn(\"The low water mark is greater than the high water mark, empty intervals are returned\");\n return intervalMap;\n }\n\n final Calendar calendar = Calendar.getInstance();\n Date nextTime;\n Date lowWatermarkDate = extractFromTimestamp(Long.toString(lowWatermarkValue));\n Date highWatermarkDate = extractFromTimestamp(Long.toString(highWatermarkValue));\n final long lowWatermark = lowWatermarkDate.getTime();\n final long highWatermark = highWatermarkDate.getTime();\n\n int interval = getInterval(highWatermark - lowWatermark, partitionIntervalInHours, maxIntervals);\n LOG.info(\"Recalculated partition interval:\" + interval + \" hours\");\n\n Date startTime = new Date(lowWatermark);\n Date endTime = new Date(highWatermark);\n LOG.debug(\"Start time:\" + startTime + \"; End time:\" + endTime);\n long lwm;\n long hwm;\n\n if (startTime.getTime() == endTime.getTime()) {\n lwm = Long.parseLong(inputFormatParser.format(startTime));\n hwm = lwm;\n intervalMap.put(lwm, hwm);\n return intervalMap;\n }\n\n while (startTime.getTime() < endTime.getTime()) {\n lwm = Long.parseLong(inputFormatParser.format(startTime));\n calendar.setTime(startTime);\n calendar.add(Calendar.HOUR, interval);\n nextTime = calendar.getTime();\n hwm = Long.parseLong(inputFormatParser.format(nextTime.getTime() <= endTime.getTime() ? nextTime : endTime));\n intervalMap.put(lwm, hwm);\n LOG.debug(\"Partition - low:\" + lwm + \"; high:\" + hwm);\n startTime = nextTime;\n }\n return intervalMap;\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 gobblin-core/src/test/java/org/apache/gobblin/source/extractor/watermark/HourWatermarkTest.java\n </TESTFILE7041>\n @Test(expectedExceptions = IllegalArgumentException.class)\n public void testGetIntervalsOnInvalidPartitionInterval() {\n HourWatermark hourwm = new HourWatermark(\"Datewatermark\", \"test\");\n long lwm = 20150201011111l;\n long hwm = 20150206111111l;\n int partition = -1;\n int maxInterval = 2;\n hourwm.getIntervals(lwm, hwm, partition, maxInterval);\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lmco/eurekastreams | java | server/src/main/java/org/eurekastreams/server/service/email/TokenEncoder.java | server/src/test/java/org/eurekastreams/server/service/email/TokenEncoderTest.java | public String encode(final String content, final byte[] keyBytes)
{
// get the person's key
Key key = new SecretKeySpec(keyBytes, algorithm);
// encrypt the data
byte[] encrypted;
try
{
Cipher cipher = Cipher.getInstance(algorithm);
cipher.init(Cipher.ENCRYPT_MODE, key);
encrypted = cipher.doFinal(content.getBytes());
}
catch (GeneralSecurityException ex)
{
log.error("Error encrypting data into token (data: '{}')", content, ex);
return null;
}
// encode the data (base64)
String token = javax.xml.bind.DatatypeConverter.printBase64Binary(encrypted);
return token;
} | encode | @Test
public void testEncodeValid()
{
Map<String, Long> data = new TreeMap<String, Long>();
data.put("s", 888L);
data.put("p", 4507L);
String token = sut.encode("p4507s888", USER_KEY);
assertEquals("X8xF5hXq+v3HsPnb0F5wXw==", token);
} | testEncodeValid | [
"getInstance",
"init",
"doFinal",
"getBytes",
"error",
"printBase64Binary"
] | [
"put",
"put",
"encode",
"assertEquals"
] | {
"class_fields": "private TokenEncoder sut;\nprivate static final String ALGORITHM = \"AES\";\nprivate static final byte[] USER_KEY = \"ThisIsASecretKey\".getBytes();",
"class_name": "TokenEncoderTest"
} | {
"class_fields": "private final Logger log = LoggerFactory.getLogger(LogFactory.getClassName());\nprivate final String algorithm;\nprivate static final Pattern TOKEN_PATTERN = Pattern.compile(\"^[A-Z0-9+/]+={0,2}$\", Pattern.CASE_INSENSITIVE);",
"class_name": "TokenEncoder",
"method_signatures": "public TokenEncoder(final String inAlgorithm)\npublic String encode(final String content, final byte[] keyBytes)\npublic boolean couldBeToken(final String potentialToken)\npublic String decode(final String token, final byte[] keyBytes)"
} | [
{
"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: server/src/main/java/org/eurekastreams/server/service/email/TokenEncoder.java for which to generate the test case is:\nclass_name: TokenEncoder\n\nclass_fields: private final Logger log = LoggerFactory.getLogger(LogFactory.getClassName());\nprivate final String algorithm;\nprivate static final Pattern TOKEN_PATTERN = Pattern.compile(\"^[A-Z0-9+/]+={0,2}$\", Pattern.CASE_INSENSITIVE);\n\nmethod_signatures: public TokenEncoder(final String inAlgorithm)\npublic String encode(final String content, final byte[] keyBytes)\npublic boolean couldBeToken(final String potentialToken)\npublic String decode(final String token, final byte[] keyBytes)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: TokenEncoderTest\n\nclass_fields: private TokenEncoder sut;\nprivate static final String ALGORITHM = \"AES\";\nprivate static final byte[] USER_KEY = \"ThisIsASecretKey\".getBytes();\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file server/src/main/java/org/eurekastreams/server/service/email/TokenEncoder.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public String encode(final String content, final byte[] keyBytes)\n {\n // get the person's key\n Key key = new SecretKeySpec(keyBytes, algorithm);\n\n // encrypt the data\n byte[] encrypted;\n try\n {\n Cipher cipher = Cipher.getInstance(algorithm);\n cipher.init(Cipher.ENCRYPT_MODE, key);\n encrypted = cipher.doFinal(content.getBytes());\n }\n catch (GeneralSecurityException ex)\n {\n log.error(\"Error encrypting data into token (data: '{}')\", content, ex);\n return null;\n }\n\n // encode the data (base64)\n String token = javax.xml.bind.DatatypeConverter.printBase64Binary(encrypted);\n return token;\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 server/src/test/java/org/eurekastreams/server/service/email/TokenEncoderTest.java\n </TESTFILE7041>\n @Test\n public void testEncodeValid()\n {\n Map<String, Long> data = new TreeMap<String, Long>();\n data.put(\"s\", 888L);\n data.put(\"p\", 4507L);\n\n String token = sut.encode(\"p4507s888\", USER_KEY);\n\n assertEquals(\"X8xF5hXq+v3HsPnb0F5wXw==\", token);\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/apache/incubator-gobblin | java | gobblin-utility/src/main/java/org/apache/gobblin/util/PullFileLoader.java | gobblin-utility/src/test/java/org/apache/gobblin/util/PullFileLoaderTest.java | public Config loadPullFile(Path path, Config sysProps, boolean loadGlobalProperties, boolean resolve) throws IOException {
Config fallback = loadGlobalProperties ? loadAncestorGlobalConfigs(path, sysProps) : sysProps;
Config loadedConfig;
if (this.javaPropsPullFileFilter.accept(path)) {
loadedConfig = loadJavaPropsWithFallback(path, fallback);
} else if (this.hoconPullFileFilter.accept(path)) {
loadedConfig = loadHoconConfigAtPath(path).withFallback(fallback);
} else {
throw new IOException(String.format("Cannot load pull file %s due to unrecognized extension.", path));
}
return resolve ? loadedConfig.resolve() : loadedConfig;
} | loadPullFile | @Test
public void testJsonPropertyReuseJobLoading() throws Exception {
Path path;
Config pullFile;
path = new Path(this.basePath, "bjob.pull");
Config cfg = ConfigFactory.parseMap(ImmutableMap.<String, Object>builder()
.put(PullFileLoader.PROPERTY_DELIMITER_PARSING_ENABLED_KEY, true)
.build());
pullFile = loader.loadPullFile(path, cfg, false);
Assert.assertEquals(pullFile.getString("json.property.key"), pullFile.getString("json.property.key1"));
} | testJsonPropertyReuseJobLoading | [
"loadAncestorGlobalConfigs",
"accept",
"loadJavaPropsWithFallback",
"accept",
"withFallback",
"loadHoconConfigAtPath",
"format",
"resolve"
] | [
"parseMap",
"build",
"put",
"builder",
"loadPullFile",
"assertEquals",
"getString",
"getString"
] | {
"class_fields": "private final Path basePath;\nprivate final PullFileLoader loader;",
"class_name": "PullFileLoaderTest"
} | {
"class_fields": "public static final String GLOBAL_PROPS_EXTENSION = \".properties\";\npublic static final PathFilter GLOBAL_PROPS_PATH_FILTER = new ExtensionFilter(GLOBAL_PROPS_EXTENSION);\npublic static final String GLOBAL_HOCON_EXTENSION = \".configuration\";\npublic static final PathFilter GLOBAL_HOCON_PATH_FILTER = new ExtensionFilter(GLOBAL_HOCON_EXTENSION);\npublic static final PathFilter GLOBAL_PATH_FILTER =\n new ExtensionFilter(Lists.newArrayList(GLOBAL_PROPS_EXTENSION, GLOBAL_HOCON_EXTENSION));\npublic static final Set<String> DEFAULT_JAVA_PROPS_PULL_FILE_EXTENSIONS = Sets.newHashSet(\"pull\", \"job\");\npublic static final Set<String> DEFAULT_HOCON_PULL_FILE_EXTENSIONS = Sets.newHashSet(\"json\", \"conf\");\npublic static final String PROPERTY_DELIMITER_PARSING_ENABLED_KEY = \"property.parsing.enablekey\";\npublic static final boolean DEFAULT_PROPERTY_DELIMITER_PARSING_ENABLED_KEY = false;\nprivate final Path rootDirectory;\nprivate final FileSystem fs;\nprivate final ExtensionFilter javaPropsPullFileFilter;\nprivate final ExtensionFilter hoconPullFileFilter;",
"class_name": "PullFileLoader",
"method_signatures": "public PullFileLoader(Path rootDirectory, FileSystem fs, Collection<String> javaPropsPullFileExtensions,\n Collection<String> hoconPullFileExtensions)\npublic Config loadPullFile(Path path, Config sysProps, boolean loadGlobalProperties, boolean resolve)\npublic Config loadPullFile(Path path, Config sysProps, boolean loadGlobalProperties)\npublic List<Config> loadPullFilesRecursively(Path path, Config sysProps, boolean loadGlobalProperties)\npublic List<Path> fetchJobFilesRecursively(Path path)\nprivate List<Path> getSortedPaths(List<PathWithTimeStamp> pathsWithTimeStamps)\nprivate List<PathWithTimeStamp> fetchJobFilePathsRecursivelyHelper(Path path)\nprivate Config loadAncestorGlobalConfigs(Path path, Config sysProps)\nprivate Config findAndLoadGlobalConfigInDirectory(Path path, Config fallback)\nprivate Config loadJavaPropsWithFallback(Path propertiesPath, Config fallback)\nprivate Config loadHoconConfigAtPath(Path path)\nprivate Config loadHoconConfigWithFallback(Path path, Config fallback)"
} | [
{
"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: gobblin-utility/src/main/java/org/apache/gobblin/util/PullFileLoader.java for which to generate the test case is:\nclass_name: PullFileLoader\n\nclass_fields: public static final String GLOBAL_PROPS_EXTENSION = \".properties\";\npublic static final PathFilter GLOBAL_PROPS_PATH_FILTER = new ExtensionFilter(GLOBAL_PROPS_EXTENSION);\npublic static final String GLOBAL_HOCON_EXTENSION = \".configuration\";\npublic static final PathFilter GLOBAL_HOCON_PATH_FILTER = new ExtensionFilter(GLOBAL_HOCON_EXTENSION);\npublic static final PathFilter GLOBAL_PATH_FILTER =\n new ExtensionFilter(Lists.newArrayList(GLOBAL_PROPS_EXTENSION, GLOBAL_HOCON_EXTENSION));\npublic static final Set<String> DEFAULT_JAVA_PROPS_PULL_FILE_EXTENSIONS = Sets.newHashSet(\"pull\", \"job\");\npublic static final Set<String> DEFAULT_HOCON_PULL_FILE_EXTENSIONS = Sets.newHashSet(\"json\", \"conf\");\npublic static final String PROPERTY_DELIMITER_PARSING_ENABLED_KEY = \"property.parsing.enablekey\";\npublic static final boolean DEFAULT_PROPERTY_DELIMITER_PARSING_ENABLED_KEY = false;\nprivate final Path rootDirectory;\nprivate final FileSystem fs;\nprivate final ExtensionFilter javaPropsPullFileFilter;\nprivate final ExtensionFilter hoconPullFileFilter;\n\nmethod_signatures: public PullFileLoader(Path rootDirectory, FileSystem fs, Collection<String> javaPropsPullFileExtensions,\n Collection<String> hoconPullFileExtensions)\npublic Config loadPullFile(Path path, Config sysProps, boolean loadGlobalProperties, boolean resolve)\npublic Config loadPullFile(Path path, Config sysProps, boolean loadGlobalProperties)\npublic List<Config> loadPullFilesRecursively(Path path, Config sysProps, boolean loadGlobalProperties)\npublic List<Path> fetchJobFilesRecursively(Path path)\nprivate List<Path> getSortedPaths(List<PathWithTimeStamp> pathsWithTimeStamps)\nprivate List<PathWithTimeStamp> fetchJobFilePathsRecursivelyHelper(Path path)\nprivate Config loadAncestorGlobalConfigs(Path path, Config sysProps)\nprivate Config findAndLoadGlobalConfigInDirectory(Path path, Config fallback)\nprivate Config loadJavaPropsWithFallback(Path propertiesPath, Config fallback)\nprivate Config loadHoconConfigAtPath(Path path)\nprivate Config loadHoconConfigWithFallback(Path path, Config fallback)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: PullFileLoaderTest\n\nclass_fields: private final Path basePath;\nprivate final PullFileLoader loader;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file gobblin-utility/src/main/java/org/apache/gobblin/util/PullFileLoader.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public Config loadPullFile(Path path, Config sysProps, boolean loadGlobalProperties, boolean resolve) throws IOException {\n Config fallback = loadGlobalProperties ? loadAncestorGlobalConfigs(path, sysProps) : sysProps;\n Config loadedConfig;\n\n if (this.javaPropsPullFileFilter.accept(path)) {\n loadedConfig = loadJavaPropsWithFallback(path, fallback);\n } else if (this.hoconPullFileFilter.accept(path)) {\n loadedConfig = loadHoconConfigAtPath(path).withFallback(fallback);\n } else {\n throw new IOException(String.format(\"Cannot load pull file %s due to unrecognized extension.\", path));\n }\n\n return resolve ? loadedConfig.resolve() : loadedConfig;\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 gobblin-utility/src/test/java/org/apache/gobblin/util/PullFileLoaderTest.java\n </TESTFILE7041>\n @Test\n public void testJsonPropertyReuseJobLoading() throws Exception {\n Path path;\n Config pullFile;\n path = new Path(this.basePath, \"bjob.pull\");\n Config cfg = ConfigFactory.parseMap(ImmutableMap.<String, Object>builder()\n .put(PullFileLoader.PROPERTY_DELIMITER_PARSING_ENABLED_KEY, true)\n .build());\n pullFile = loader.loadPullFile(path, cfg, false);\n Assert.assertEquals(pullFile.getString(\"json.property.key\"), pullFile.getString(\"json.property.key1\"));\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/apache/incubator-gobblin | java | gobblin-core/src/main/java/org/apache/gobblin/source/extractor/watermark/SimpleWatermark.java | gobblin-core/src/test/java/org/apache/gobblin/source/extractor/watermark/SimpleWatermarkTest.java | @Override
public HashMap<Long, Long> getIntervals(long lowWatermarkValue, long highWatermarkValue, long partitionInterval,
int maxIntervals) {
Preconditions.checkArgument(partitionInterval >= 1,
"Invalid value for partitionInterval, value should be at least 1.");
Preconditions.checkArgument(maxIntervals > 0, "Invalid value for maxIntervals, positive value expected.");
HashMap<Long, Long> intervalMap = new HashMap<>();
long nextNum;
long interval = getInterval(lowWatermarkValue, highWatermarkValue, partitionInterval, maxIntervals);
LOG.info("Recalculated partition interval:" + interval);
if (interval == 0) {
return intervalMap;
}
long startNum = lowWatermarkValue;
long endNum = highWatermarkValue;
boolean longOverflow = false;
if (startNum == endNum) {
intervalMap.put(startNum, endNum);
return intervalMap;
}
while (startNum < endNum && !longOverflow) {
longOverflow = (Long.MAX_VALUE - interval < startNum);
nextNum = longOverflow ? endNum : Math.min(startNum + interval, endNum);
intervalMap.put(startNum, nextNum);
startNum = nextNum;
}
return intervalMap;
} | getIntervals | @Test
public void testGetIntervalsMaxIntervalsIsOne() {
Map<Long, Long> expected = getIntervals(0, 100, 100);
Map<Long, Long> actual = this.simpleWatermark.getIntervals(0, 100, 1, 1);
Assert.assertEquals(actual, expected);
} | testGetIntervalsMaxIntervalsIsOne | [
"checkArgument",
"checkArgument",
"getInterval",
"info",
"put",
"min",
"put"
] | [
"getIntervals",
"getIntervals",
"assertEquals"
] | {
"class_fields": "private static final String COLUMN = \"my_column\";\nprivate static final String GREATER_THAN = \">=\";\nprivate SimpleWatermark simpleWatermark;",
"class_name": "SimpleWatermarkTest"
} | {
"class_fields": "private static final Logger LOG = LoggerFactory.getLogger(SimpleWatermark.class);\nprivate static final int deltaForNextWatermark = 1;\nprivate String watermarkColumn;",
"class_name": "SimpleWatermark implements Watermark",
"method_signatures": "public SimpleWatermark(String watermarkColumn, String watermarkFormat)\n@Override public String getWatermarkCondition(QueryBasedExtractor<?, ?> extractor, long watermarkValue, String operator)\n@Override public int getDeltaNumForNextWatermark()\n@Override public HashMap<Long, Long> getIntervals(long lowWatermarkValue, long highWatermarkValue, long partitionInterval,\n int maxIntervals)\nprivate static long getInterval(long lowWatermarkValue, long highWatermarkValue, long partitionInterval,\n int maxIntervals)\npublic static long adjustWatermark(String baseWatermark, int diff)"
} | [
{
"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: gobblin-core/src/main/java/org/apache/gobblin/source/extractor/watermark/SimpleWatermark.java for which to generate the test case is:\nclass_name: SimpleWatermark implements Watermark\n\nclass_fields: private static final Logger LOG = LoggerFactory.getLogger(SimpleWatermark.class);\nprivate static final int deltaForNextWatermark = 1;\nprivate String watermarkColumn;\n\nmethod_signatures: public SimpleWatermark(String watermarkColumn, String watermarkFormat)\n@Override public String getWatermarkCondition(QueryBasedExtractor<?, ?> extractor, long watermarkValue, String operator)\n@Override public int getDeltaNumForNextWatermark()\n@Override public HashMap<Long, Long> getIntervals(long lowWatermarkValue, long highWatermarkValue, long partitionInterval,\n int maxIntervals)\nprivate static long getInterval(long lowWatermarkValue, long highWatermarkValue, long partitionInterval,\n int maxIntervals)\npublic static long adjustWatermark(String baseWatermark, int diff)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: SimpleWatermarkTest\n\nclass_fields: private static final String COLUMN = \"my_column\";\nprivate static final String GREATER_THAN = \">=\";\nprivate SimpleWatermark simpleWatermark;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file gobblin-core/src/main/java/org/apache/gobblin/source/extractor/watermark/SimpleWatermark.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public HashMap<Long, Long> getIntervals(long lowWatermarkValue, long highWatermarkValue, long partitionInterval,\n int maxIntervals) {\n Preconditions.checkArgument(partitionInterval >= 1,\n \"Invalid value for partitionInterval, value should be at least 1.\");\n Preconditions.checkArgument(maxIntervals > 0, \"Invalid value for maxIntervals, positive value expected.\");\n\n HashMap<Long, Long> intervalMap = new HashMap<>();\n long nextNum;\n long interval = getInterval(lowWatermarkValue, highWatermarkValue, partitionInterval, maxIntervals);\n LOG.info(\"Recalculated partition interval:\" + interval);\n if (interval == 0) {\n return intervalMap;\n }\n\n long startNum = lowWatermarkValue;\n long endNum = highWatermarkValue;\n boolean longOverflow = false;\n\n if (startNum == endNum) {\n intervalMap.put(startNum, endNum);\n return intervalMap;\n }\n\n while (startNum < endNum && !longOverflow) {\n longOverflow = (Long.MAX_VALUE - interval < startNum);\n nextNum = longOverflow ? endNum : Math.min(startNum + interval, endNum);\n intervalMap.put(startNum, nextNum);\n startNum = nextNum;\n }\n return intervalMap;\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 gobblin-core/src/test/java/org/apache/gobblin/source/extractor/watermark/SimpleWatermarkTest.java\n </TESTFILE7041>\n @Test\n public void testGetIntervalsMaxIntervalsIsOne() {\n Map<Long, Long> expected = getIntervals(0, 100, 100);\n Map<Long, Long> actual = this.simpleWatermark.getIntervals(0, 100, 1, 1);\n Assert.assertEquals(actual, expected);\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lmco/eurekastreams | java | server/src/main/java/org/eurekastreams/server/service/email/MessageReplier.java | server/src/test/java/org/eurekastreams/server/service/email/MessageReplierTest.java | public void reply(final Message message, final PersonModelView user, final UserActionRequest actionSelection,
final Exception inException, final List<Message> inResponseMessages)
{
final String actionName = actionSelection.getActionKey();
try
{
Exception cleanException = exceptionSanitizer.transform(inException);
// create reponse message
MimeMessage response = emailerFactory.createMessage();
emailerFactory.setTo(response, user.getEmail());
EmailTemplate template = errorMessageTemplates.get(actionName);
if (template == null)
{
log.warn("Missing template for error response message for action {}. Sending generic response.",
actionName);
emailerFactory.setSubject(response, "Error processing received email");
emailerFactory.setTextBody(response,
"There was an error processing your email. " + cleanException.getMessage()
+ " Original message is attached.");
}
else
{
// prepare for template rendering
Context velocityContext = new VelocityContext(velocityGlobalContext);
velocityContext.put("action", actionName);
velocityContext.put("params", actionSelection.getParams());
velocityContext.put("user", user);
velocityContext.put("exception", cleanException);
velocityContext.put("originalException", inException);
velocityContext.put("settings", systemSettingsDao.execute(null));
// build the subject
StringWriter writer = new StringWriter();
velocityEngine.evaluate(velocityContext, writer, "EmailSubject-" + actionName,
template.getSubjectTemplate());
emailerFactory.setSubject(response, writer.toString());
// build the text body
Template vt = velocityEngine.getTemplate(template.getTextBodyTemplateResourcePath());
writer.getBuffer().setLength(0);
vt.merge(velocityContext, writer);
emailerFactory.setTextBody(response, writer.toString());
// build the HTML body
vt = velocityEngine.getTemplate(template.getHtmlBodyTemplateResourcePath());
// HTML-escape all content inserted
EventCartridge ec = new EventCartridge();
ec.addEventHandler(new EscapeHtmlReference());
ec.attachToContext(velocityContext);
writer.getBuffer().setLength(0);
vt.merge(velocityContext, writer);
emailerFactory.setHtmlBody(response, writer.toString());
}
// attach original message
emailerFactory.addAttachmentMessage(response, message);
inResponseMessages.add(response);
}
catch (Exception ex)
{
log.error("Error building error response message for failed action '{}'.", actionName, ex);
}
} | reply | @Test
public void testTemplateFound() throws MessagingException
{
UserActionRequest rqst = new UserActionRequest(ACTION_NAME, null, params);
mockery.checking(new Expectations()
{
{
allowing(exceptionSanitizer).transform(actionException);
will(returnValue(cleanException));
allowing(emailerFactory).createMessage();
will(returnValue(response));
oneOf(emailerFactory).setTo(response, USER_EMAIL);
oneOf(emailerFactory).setSubject(response, SUBJECT_RENDERED);
oneOf(emailerFactory).setTextBody(response, TEXT_BODY_RENDERED);
oneOf(emailerFactory).setHtmlBody(response, HTML_BODY_RENDERED);
oneOf(emailerFactory).addAttachmentMessage(response, message);
allowing(systemSettingsDao).execute(with(anything()));
will(returnValue(settings));
allowing(velocityEngine).getTemplate(HTML_BODY_RESOURCE);
will(returnValue(htmlBodyTemplate));
allowing(velocityEngine).getTemplate(TEXT_BODY_RESOURCE);
will(returnValue(textBodyTemplate));
allowing(velocityEngine).evaluate(with(any(VelocityContext.class)), with(any(StringWriter.class)),
with(any(String.class)), with(equal(SUBJECT_TEMPLATE)));
will(new CustomAction("Render subject")
{
public Object invoke(final Invocation inv) throws Throwable
{
assertVelocityContext(inv);
((StringWriter) inv.getParameter(1)).append(SUBJECT_RENDERED);
return true;
}
});
allowing(textBodyTemplate).merge(with(any(VelocityContext.class)), with(any(StringWriter.class)));
will(new CustomAction("Render text body")
{
public Object invoke(final Invocation inv) throws Throwable
{
assertVelocityContext(inv);
((StringWriter) inv.getParameter(1)).append(TEXT_BODY_RENDERED);
return null;
}
});
allowing(htmlBodyTemplate).merge(with(any(VelocityContext.class)), with(any(StringWriter.class)));
will(new CustomAction("Render HTML body")
{
public Object invoke(final Invocation inv) throws Throwable
{
assertVelocityContext(inv);
((StringWriter) inv.getParameter(1)).append(HTML_BODY_RENDERED);
return null;
}
});
}
});
sut.reply(message, user, rqst, actionException, responseMessages);
mockery.assertIsSatisfied();
assertEquals(1, responseMessages.size());
assertSame(response, responseMessages.get(0));
} | testTemplateFound | [
"getActionKey",
"transform",
"createMessage",
"setTo",
"getEmail",
"get",
"warn",
"setSubject",
"setTextBody",
"getMessage",
"put",
"put",
"getParams",
"put",
"put",
"put",
"put",
"execute",
"evaluate",
"getSubjectTemplate",
"setSubject",
"toString",
"getTemplate",
"getTextBodyTemplateResourcePath",
"setLength",
"getBuffer",
"merge",
"setTextBody",
"toString",
"getTemplate",
"getHtmlBodyTemplateResourcePath",
"addEventHandler",
"attachToContext",
"setLength",
"getBuffer",
"merge",
"setHtmlBody",
"toString",
"addAttachmentMessage",
"add",
"error"
] | [
"checking",
"transform",
"allowing",
"will",
"returnValue",
"createMessage",
"allowing",
"will",
"returnValue",
"setTo",
"oneOf",
"setSubject",
"oneOf",
"setTextBody",
"oneOf",
"setHtmlBody",
"oneOf",
"addAttachmentMessage",
"oneOf",
"execute",
"allowing",
"with",
"anything",
"will",
"returnValue",
"getTemplate",
"allowing",
"will",
"returnValue",
"getTemplate",
"allowing",
"will",
"returnValue",
"evaluate",
"allowing",
"with",
"any",
"with",
"any",
"with",
"any",
"with",
"equal",
"will",
"assertVelocityContext",
"append",
"getParameter",
"merge",
"allowing",
"with",
"any",
"with",
"any",
"will",
"assertVelocityContext",
"append",
"getParameter",
"merge",
"allowing",
"with",
"any",
"with",
"any",
"will",
"assertVelocityContext",
"append",
"getParameter",
"reply",
"assertIsSatisfied",
"assertEquals",
"size",
"assertSame",
"get"
] | {
"class_fields": "private static final String USER_EMAIL = \"[email protected]\";\nprivate static final String ACTION_NAME = \"actionName\";\nprivate static final String SUBJECT_TEMPLATE = \"This is the subject template\";\nprivate static final String TEXT_BODY_RESOURCE = \"This is the text body resource path\";\nprivate static final String HTML_BODY_RESOURCE = \"This is the HTML body resource path\";\nprivate static final String SUBJECT_RENDERED = \"This is the rendered subject template\";\nprivate static final String TEXT_BODY_RENDERED = \"This is the rendered text body template\";\nprivate static final String HTML_BODY_RENDERED = \"This is the rendered HTML body template\";\nprivate final Mockery mockery = new JUnit4Mockery()\n {\n {\n setImposteriser(ClassImposteriser.INSTANCE);\n }\n };\nprivate final EmailerFactory emailerFactory = mockery.mock(EmailerFactory.class, \"emailerFactory\");\nprivate final VelocityEngine velocityEngine = mockery.mock(VelocityEngine.class, \"velocityEngine\");\nprivate final Context velocityGlobalContext = mockery.mock(Context.class, \"velocityGlobalContext\");\nprivate final Map<String, EmailTemplate> errorMessageTemplates;\nprivate final Transformer<Exception, Exception> exceptionSanitizer = mockery.mock(Transformer.class,\n \"exceptionSanitizer\");\nprivate final Template textBodyTemplate = mockery.mock(Template.class, \"textBodyTemplate\");\nprivate final Template htmlBodyTemplate = mockery.mock(Template.class, \"htmlBodyTemplate\");\nMimeMessage response = mockery.mock(MimeMessage.class, \"response\");\nMessage message = mockery.mock(Message.class, \"message\");\nPersonModelView user = mockery.mock(PersonModelView.class, \"user\");\nprivate final Serializable params = mockery.mock(Serializable.class, \"params\");\nprivate final Exception actionException = mockery.mock(Exception.class, \"actionException\");\nprivate MessageReplier sut;\nprivate final List<Message> responseMessages = new ArrayList<Message>();\nprivate final Exception cleanException = new GeneralException(\"Clean message\");\nprivate final DomainMapper systemSettingsDao = mockery.mock(DomainMapper.class, \"systemSettingsDao\");\nprivate final SystemSettings settings = mockery.mock(SystemSettings.class, \"settings\");",
"class_name": "MessageReplierTest"
} | {
"class_fields": "private final Logger log = LoggerFactory.getLogger(LogFactory.getClassName());\nprivate final EmailerFactory emailerFactory;\nprivate final VelocityEngine velocityEngine;\nprivate final Context velocityGlobalContext;\nprivate final Map<String, EmailTemplate> errorMessageTemplates;\nprivate final Transformer<Exception, Exception> exceptionSanitizer;\nprivate final DomainMapper< ? extends Serializable, SystemSettings> systemSettingsDao;",
"class_name": "MessageReplier",
"method_signatures": "public MessageReplier(final EmailerFactory inEmailerFactory, final VelocityEngine inVelocityEngine,\n final Context inVelocityGlobalContext, final Transformer<Exception, Exception> inExceptionSanitizer,\n final DomainMapper< ? extends Serializable, SystemSettings> inSystemSettingsDao,\n final Map<String, EmailTemplate> inErrorMessageTemplates)\npublic void reply(final Message message, final PersonModelView user, final UserActionRequest actionSelection,\n final Exception inException, final List<Message> inResponseMessages)"
} | [
{
"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: server/src/main/java/org/eurekastreams/server/service/email/MessageReplier.java for which to generate the test case is:\nclass_name: MessageReplier\n\nclass_fields: private final Logger log = LoggerFactory.getLogger(LogFactory.getClassName());\nprivate final EmailerFactory emailerFactory;\nprivate final VelocityEngine velocityEngine;\nprivate final Context velocityGlobalContext;\nprivate final Map<String, EmailTemplate> errorMessageTemplates;\nprivate final Transformer<Exception, Exception> exceptionSanitizer;\nprivate final DomainMapper< ? extends Serializable, SystemSettings> systemSettingsDao;\n\nmethod_signatures: public MessageReplier(final EmailerFactory inEmailerFactory, final VelocityEngine inVelocityEngine,\n final Context inVelocityGlobalContext, final Transformer<Exception, Exception> inExceptionSanitizer,\n final DomainMapper< ? extends Serializable, SystemSettings> inSystemSettingsDao,\n final Map<String, EmailTemplate> inErrorMessageTemplates)\npublic void reply(final Message message, final PersonModelView user, final UserActionRequest actionSelection,\n final Exception inException, final List<Message> inResponseMessages)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: MessageReplierTest\n\nclass_fields: private static final String USER_EMAIL = \"[email protected]\";\nprivate static final String ACTION_NAME = \"actionName\";\nprivate static final String SUBJECT_TEMPLATE = \"This is the subject template\";\nprivate static final String TEXT_BODY_RESOURCE = \"This is the text body resource path\";\nprivate static final String HTML_BODY_RESOURCE = \"This is the HTML body resource path\";\nprivate static final String SUBJECT_RENDERED = \"This is the rendered subject template\";\nprivate static final String TEXT_BODY_RENDERED = \"This is the rendered text body template\";\nprivate static final String HTML_BODY_RENDERED = \"This is the rendered HTML body template\";\nprivate final Mockery mockery = new JUnit4Mockery()\n {\n {\n setImposteriser(ClassImposteriser.INSTANCE);\n }\n };\nprivate final EmailerFactory emailerFactory = mockery.mock(EmailerFactory.class, \"emailerFactory\");\nprivate final VelocityEngine velocityEngine = mockery.mock(VelocityEngine.class, \"velocityEngine\");\nprivate final Context velocityGlobalContext = mockery.mock(Context.class, \"velocityGlobalContext\");\nprivate final Map<String, EmailTemplate> errorMessageTemplates;\nprivate final Transformer<Exception, Exception> exceptionSanitizer = mockery.mock(Transformer.class,\n \"exceptionSanitizer\");\nprivate final Template textBodyTemplate = mockery.mock(Template.class, \"textBodyTemplate\");\nprivate final Template htmlBodyTemplate = mockery.mock(Template.class, \"htmlBodyTemplate\");\nMimeMessage response = mockery.mock(MimeMessage.class, \"response\");\nMessage message = mockery.mock(Message.class, \"message\");\nPersonModelView user = mockery.mock(PersonModelView.class, \"user\");\nprivate final Serializable params = mockery.mock(Serializable.class, \"params\");\nprivate final Exception actionException = mockery.mock(Exception.class, \"actionException\");\nprivate MessageReplier sut;\nprivate final List<Message> responseMessages = new ArrayList<Message>();\nprivate final Exception cleanException = new GeneralException(\"Clean message\");\nprivate final DomainMapper systemSettingsDao = mockery.mock(DomainMapper.class, \"systemSettingsDao\");\nprivate final SystemSettings settings = mockery.mock(SystemSettings.class, \"settings\");\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file server/src/main/java/org/eurekastreams/server/service/email/MessageReplier.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public void reply(final Message message, final PersonModelView user, final UserActionRequest actionSelection,\n final Exception inException, final List<Message> inResponseMessages)\n {\n final String actionName = actionSelection.getActionKey();\n try\n {\n Exception cleanException = exceptionSanitizer.transform(inException);\n\n // create reponse message\n MimeMessage response = emailerFactory.createMessage();\n emailerFactory.setTo(response, user.getEmail());\n\n EmailTemplate template = errorMessageTemplates.get(actionName);\n if (template == null)\n {\n log.warn(\"Missing template for error response message for action {}. Sending generic response.\",\n actionName);\n\n emailerFactory.setSubject(response, \"Error processing received email\");\n emailerFactory.setTextBody(response,\n \"There was an error processing your email. \" + cleanException.getMessage()\n + \" Original message is attached.\");\n }\n else\n {\n // prepare for template rendering\n Context velocityContext = new VelocityContext(velocityGlobalContext);\n velocityContext.put(\"action\", actionName);\n velocityContext.put(\"params\", actionSelection.getParams());\n velocityContext.put(\"user\", user);\n velocityContext.put(\"exception\", cleanException);\n velocityContext.put(\"originalException\", inException);\n velocityContext.put(\"settings\", systemSettingsDao.execute(null));\n\n // build the subject\n StringWriter writer = new StringWriter();\n velocityEngine.evaluate(velocityContext, writer, \"EmailSubject-\" + actionName,\n template.getSubjectTemplate());\n emailerFactory.setSubject(response, writer.toString());\n\n // build the text body\n Template vt = velocityEngine.getTemplate(template.getTextBodyTemplateResourcePath());\n writer.getBuffer().setLength(0);\n vt.merge(velocityContext, writer);\n emailerFactory.setTextBody(response, writer.toString());\n\n // build the HTML body\n vt = velocityEngine.getTemplate(template.getHtmlBodyTemplateResourcePath());\n // HTML-escape all content inserted\n EventCartridge ec = new EventCartridge();\n ec.addEventHandler(new EscapeHtmlReference());\n ec.attachToContext(velocityContext);\n writer.getBuffer().setLength(0);\n vt.merge(velocityContext, writer);\n emailerFactory.setHtmlBody(response, writer.toString());\n }\n\n // attach original message\n emailerFactory.addAttachmentMessage(response, message);\n\n inResponseMessages.add(response);\n }\n catch (Exception ex)\n {\n log.error(\"Error building error response message for failed action '{}'.\", actionName, ex);\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 server/src/test/java/org/eurekastreams/server/service/email/MessageReplierTest.java\n </TESTFILE7041>\n @Test\n public void testTemplateFound() throws MessagingException\n {\n UserActionRequest rqst = new UserActionRequest(ACTION_NAME, null, params);\n mockery.checking(new Expectations()\n {\n {\n allowing(exceptionSanitizer).transform(actionException);\n will(returnValue(cleanException));\n\n allowing(emailerFactory).createMessage();\n will(returnValue(response));\n\n oneOf(emailerFactory).setTo(response, USER_EMAIL);\n oneOf(emailerFactory).setSubject(response, SUBJECT_RENDERED);\n oneOf(emailerFactory).setTextBody(response, TEXT_BODY_RENDERED);\n oneOf(emailerFactory).setHtmlBody(response, HTML_BODY_RENDERED);\n oneOf(emailerFactory).addAttachmentMessage(response, message);\n\n allowing(systemSettingsDao).execute(with(anything()));\n will(returnValue(settings));\n\n allowing(velocityEngine).getTemplate(HTML_BODY_RESOURCE);\n will(returnValue(htmlBodyTemplate));\n\n allowing(velocityEngine).getTemplate(TEXT_BODY_RESOURCE);\n will(returnValue(textBodyTemplate));\n\n allowing(velocityEngine).evaluate(with(any(VelocityContext.class)), with(any(StringWriter.class)),\n with(any(String.class)), with(equal(SUBJECT_TEMPLATE)));\n will(new CustomAction(\"Render subject\")\n {\n public Object invoke(final Invocation inv) throws Throwable\n {\n assertVelocityContext(inv);\n ((StringWriter) inv.getParameter(1)).append(SUBJECT_RENDERED);\n return true;\n }\n });\n\n allowing(textBodyTemplate).merge(with(any(VelocityContext.class)), with(any(StringWriter.class)));\n will(new CustomAction(\"Render text body\")\n {\n public Object invoke(final Invocation inv) throws Throwable\n {\n assertVelocityContext(inv);\n ((StringWriter) inv.getParameter(1)).append(TEXT_BODY_RENDERED);\n return null;\n }\n });\n\n allowing(htmlBodyTemplate).merge(with(any(VelocityContext.class)), with(any(StringWriter.class)));\n will(new CustomAction(\"Render HTML body\")\n {\n public Object invoke(final Invocation inv) throws Throwable\n {\n assertVelocityContext(inv);\n ((StringWriter) inv.getParameter(1)).append(HTML_BODY_RENDERED);\n return null;\n }\n });\n }\n });\n\n sut.reply(message, user, rqst, actionException, responseMessages);\n mockery.assertIsSatisfied();\n assertEquals(1, responseMessages.size());\n assertSame(response, responseMessages.get(0));\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/apache/incubator-gobblin | java | gobblin-modules/google-ingestion/src/main/java/org/apache/gobblin/ingestion/google/webmaster/ProducerJob.java | gobblin-modules/google-ingestion/src/test/java/org/apache/gobblin/ingestion/google/webmaster/ProducerJobTest.java | public static String serialize(Collection<ProducerJob> jobs) {
//TODO: don't need to recreate objects if it's of type SimpleProducerJob
Collection<ProducerJob> producerJobs = new ArrayList<>(jobs.size());
for (ProducerJob job : jobs) {
producerJobs.add(new SimpleProducerJob(job));
}
Gson gson = gsonBuilder.create();
return gson.toJson(producerJobs);
} | serialize | @Test
public void testSerializationWithJobsList() {
ProducerJob job1 = new SimpleProducerJob("p1", "2016-11-22", "2016-11-22");
ProducerJob job2 = new SimpleProducerJob("p2", "2016-11-23", "2016-11-23");
ArrayList<ProducerJob> jobs = new ArrayList<>();
jobs.add(job1);
jobs.add(job2);
String json = ProducerJob.serialize(jobs);
//System.out.println(json);
List<ProducerJob> deserialized = SimpleProducerJob.deserialize(json);
Assert.assertEquals(job1, deserialized.get(0));
Assert.assertEquals(job2, deserialized.get(1));
} | testSerializationWithJobsList | [
"size",
"add",
"create",
"toJson"
] | [
"add",
"add",
"serialize",
"deserialize",
"assertEquals",
"get",
"assertEquals",
"get"
] | {
"class_fields": "",
"class_name": "ProducerJobTest"
} | {
"class_fields": "static final DateTimeFormatter dateFormatter = DateTimeFormat.forPattern(\"yyyy-MM-dd\");\nstatic final GsonBuilder gsonBuilder = new GsonBuilder();",
"class_name": "ProducerJob",
"method_signatures": "public abstract String getPage()\npublic abstract String getStartDate()\npublic abstract String getEndDate()\npublic abstract GoogleWebmasterFilter.FilterOperator getOperator()\npublic abstract int getPagesSize()\npublic List<? extends ProducerJob> partitionJobs()\npublic static String serialize(Collection<ProducerJob> jobs)"
} | [
{
"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: gobblin-modules/google-ingestion/src/main/java/org/apache/gobblin/ingestion/google/webmaster/ProducerJob.java for which to generate the test case is:\nclass_name: ProducerJob\n\nclass_fields: static final DateTimeFormatter dateFormatter = DateTimeFormat.forPattern(\"yyyy-MM-dd\");\nstatic final GsonBuilder gsonBuilder = new GsonBuilder();\n\nmethod_signatures: public abstract String getPage()\npublic abstract String getStartDate()\npublic abstract String getEndDate()\npublic abstract GoogleWebmasterFilter.FilterOperator getOperator()\npublic abstract int getPagesSize()\npublic List<? extends ProducerJob> partitionJobs()\npublic static String serialize(Collection<ProducerJob> jobs)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: ProducerJobTest\n\nclass_fields: \n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file gobblin-modules/google-ingestion/src/main/java/org/apache/gobblin/ingestion/google/webmaster/ProducerJob.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public static String serialize(Collection<ProducerJob> jobs) {\n //TODO: don't need to recreate objects if it's of type SimpleProducerJob\n Collection<ProducerJob> producerJobs = new ArrayList<>(jobs.size());\n for (ProducerJob job : jobs) {\n producerJobs.add(new SimpleProducerJob(job));\n }\n Gson gson = gsonBuilder.create();\n return gson.toJson(producerJobs);\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 gobblin-modules/google-ingestion/src/test/java/org/apache/gobblin/ingestion/google/webmaster/ProducerJobTest.java\n </TESTFILE7041>\n @Test\n public void testSerializationWithJobsList() {\n ProducerJob job1 = new SimpleProducerJob(\"p1\", \"2016-11-22\", \"2016-11-22\");\n ProducerJob job2 = new SimpleProducerJob(\"p2\", \"2016-11-23\", \"2016-11-23\");\n ArrayList<ProducerJob> jobs = new ArrayList<>();\n jobs.add(job1);\n jobs.add(job2);\n String json = ProducerJob.serialize(jobs);\n //System.out.println(json);\n List<ProducerJob> deserialized = SimpleProducerJob.deserialize(json);\n Assert.assertEquals(job1, deserialized.get(0));\n Assert.assertEquals(job2, deserialized.get(1));\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/apache/incubator-gobblin | java | gobblin-data-management/src/main/java/org/apache/gobblin/data/management/conversion/hive/watermarker/PartitionLevelWatermarker.java | gobblin-data-management/src/test/java/org/apache/gobblin/data/management/conversion/hive/watermarker/PartitionLevelWatermarkerTest.java | @Override
public void onPartitionProcessBegin(Partition partition, long partitionProcessTime, long partitionUpdateTime) {
Preconditions.checkNotNull(partition);
Preconditions.checkNotNull(partition.getTable());
if (!this.expectedHighWatermarks.hasPartitionWatermarks(tableKey(partition.getTable()))) {
throw new IllegalStateException(String.format(
"onPartitionProcessBegin called before onTableProcessBegin for table: %s, partitions: %s",
tableKey(partition.getTable()), partitionKey(partition)));
}
// Remove dropped partitions
Collection<String> droppedPartitions =
Collections2.transform(AbstractAvroToOrcConverter.getDropPartitionsDDLInfo(partition),
new Function<Map<String, String>, String>() {
@Override
public String apply(Map<String, String> input) {
return PARTITION_VALUES_JOINER.join(input.values());
}
});
this.expectedHighWatermarks.removePartitionWatermarks(tableKey(partition.getTable()), droppedPartitions);
this.expectedHighWatermarks.addPartitionWatermark(tableKey(partition.getTable()), partitionKey(partition),
partitionUpdateTime);
} | onPartitionProcessBegin | @Test(expectedExceptions = IllegalStateException.class)
public void testPartitionBeginBegoreTableBegin() throws Exception {
SourceState state = new SourceState();
PartitionLevelWatermarker watermarker = new PartitionLevelWatermarker(state);
Table table = mockTable("test_dataset_urn");
Partition partition = mockPartition(table, ImmutableList.of(""));
watermarker.onPartitionProcessBegin(partition, 0l, 0l);
} | testPartitionBeginBegoreTableBegin | [
"checkNotNull",
"checkNotNull",
"getTable",
"hasPartitionWatermarks",
"tableKey",
"getTable",
"format",
"tableKey",
"getTable",
"partitionKey",
"transform",
"getDropPartitionsDDLInfo",
"join",
"values",
"removePartitionWatermarks",
"tableKey",
"getTable",
"addPartitionWatermark",
"tableKey",
"getTable",
"partitionKey"
] | [
"mockTable",
"mockPartition",
"of",
"onPartitionProcessBegin"
] | {
"class_fields": "",
"class_name": "PartitionLevelWatermarkerTest"
} | {
"class_fields": "public static final String IS_WATERMARK_WORKUNIT_KEY = \"hive.source.watermark.isWatermarkWorkUnit\";\nprivate static final Joiner PARTITION_VALUES_JOINER = Joiner.on(\",\");\nstatic final Predicate<WorkUnitState> WATERMARK_WORKUNIT_PREDICATE = new Predicate<WorkUnitState>() {\n @Override\n public boolean apply(@Nonnull WorkUnitState input) {\n return input.contains(IS_WATERMARK_WORKUNIT_KEY);\n }\n };\n@Setter(AccessLevel.PACKAGE)\n @VisibleForTesting\n protected long leastWatermarkToPersistInState;\nprotected static final int BUFFER_WATERMARK_DAYS_TO_PERSIST = 2;\n@Getter(AccessLevel.PACKAGE)\n @VisibleForTesting\n protected final TableWatermarks previousWatermarks;\n@Getter(AccessLevel.PACKAGE)\n @VisibleForTesting\n protected final TableWatermarks expectedHighWatermarks;\nprotected final HiveMetastoreClientPool pool;\nprotected final TableLevelWatermarker tableLevelWatermarker;\nprotected final HiveUnitUpdateProvider updateProvider;",
"class_name": "PartitionLevelWatermarker implements HiveSourceWatermarker",
"method_signatures": "public PartitionLevelWatermarker(State state)\n@Override public void onTableProcessBegin(Table table, long tableProcessTime)\n@Override public void onPartitionProcessBegin(Partition partition, long partitionProcessTime, long partitionUpdateTime)\n@Override public LongWatermark getPreviousHighWatermark(Table table)\n@Override public LongWatermark getPreviousHighWatermark(Partition partition)\n@Override public void onGetWorkunitsEnd(List<WorkUnit> workunits)\n@Override public LongWatermark getExpectedHighWatermark(Table table, long tableProcessTime)\n@Override public LongWatermark getExpectedHighWatermark(Partition partition, long tableProcessTime, long partitionProcessTime)\n@Override public void setActualHighWatermark(WorkUnitState wus)\n@VisibleForTesting public static String tableKey(Table table)\n@VisibleForTesting public static String partitionKey(Partition partition)"
} | [
{
"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: gobblin-data-management/src/main/java/org/apache/gobblin/data/management/conversion/hive/watermarker/PartitionLevelWatermarker.java for which to generate the test case is:\nclass_name: PartitionLevelWatermarker implements HiveSourceWatermarker\n\nclass_fields: public static final String IS_WATERMARK_WORKUNIT_KEY = \"hive.source.watermark.isWatermarkWorkUnit\";\nprivate static final Joiner PARTITION_VALUES_JOINER = Joiner.on(\",\");\nstatic final Predicate<WorkUnitState> WATERMARK_WORKUNIT_PREDICATE = new Predicate<WorkUnitState>() {\n @Override\n public boolean apply(@Nonnull WorkUnitState input) {\n return input.contains(IS_WATERMARK_WORKUNIT_KEY);\n }\n };\n@Setter(AccessLevel.PACKAGE)\n @VisibleForTesting\n protected long leastWatermarkToPersistInState;\nprotected static final int BUFFER_WATERMARK_DAYS_TO_PERSIST = 2;\n@Getter(AccessLevel.PACKAGE)\n @VisibleForTesting\n protected final TableWatermarks previousWatermarks;\n@Getter(AccessLevel.PACKAGE)\n @VisibleForTesting\n protected final TableWatermarks expectedHighWatermarks;\nprotected final HiveMetastoreClientPool pool;\nprotected final TableLevelWatermarker tableLevelWatermarker;\nprotected final HiveUnitUpdateProvider updateProvider;\n\nmethod_signatures: public PartitionLevelWatermarker(State state)\n@Override public void onTableProcessBegin(Table table, long tableProcessTime)\n@Override public void onPartitionProcessBegin(Partition partition, long partitionProcessTime, long partitionUpdateTime)\n@Override public LongWatermark getPreviousHighWatermark(Table table)\n@Override public LongWatermark getPreviousHighWatermark(Partition partition)\n@Override public void onGetWorkunitsEnd(List<WorkUnit> workunits)\n@Override public LongWatermark getExpectedHighWatermark(Table table, long tableProcessTime)\n@Override public LongWatermark getExpectedHighWatermark(Partition partition, long tableProcessTime, long partitionProcessTime)\n@Override public void setActualHighWatermark(WorkUnitState wus)\n@VisibleForTesting public static String tableKey(Table table)\n@VisibleForTesting public static String partitionKey(Partition partition)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: PartitionLevelWatermarkerTest\n\nclass_fields: \n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file gobblin-data-management/src/main/java/org/apache/gobblin/data/management/conversion/hive/watermarker/PartitionLevelWatermarker.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public void onPartitionProcessBegin(Partition partition, long partitionProcessTime, long partitionUpdateTime) {\n\n Preconditions.checkNotNull(partition);\n Preconditions.checkNotNull(partition.getTable());\n\n if (!this.expectedHighWatermarks.hasPartitionWatermarks(tableKey(partition.getTable()))) {\n throw new IllegalStateException(String.format(\n \"onPartitionProcessBegin called before onTableProcessBegin for table: %s, partitions: %s\",\n tableKey(partition.getTable()), partitionKey(partition)));\n }\n\n // Remove dropped partitions\n Collection<String> droppedPartitions =\n Collections2.transform(AbstractAvroToOrcConverter.getDropPartitionsDDLInfo(partition),\n new Function<Map<String, String>, String>() {\n @Override\n public String apply(Map<String, String> input) {\n return PARTITION_VALUES_JOINER.join(input.values());\n }\n });\n\n this.expectedHighWatermarks.removePartitionWatermarks(tableKey(partition.getTable()), droppedPartitions);\n this.expectedHighWatermarks.addPartitionWatermark(tableKey(partition.getTable()), partitionKey(partition),\n partitionUpdateTime);\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 gobblin-data-management/src/test/java/org/apache/gobblin/data/management/conversion/hive/watermarker/PartitionLevelWatermarkerTest.java\n </TESTFILE7041>\n @Test(expectedExceptions = IllegalStateException.class)\n public void testPartitionBeginBegoreTableBegin() throws Exception {\n SourceState state = new SourceState();\n PartitionLevelWatermarker watermarker = new PartitionLevelWatermarker(state);\n\n Table table = mockTable(\"test_dataset_urn\");\n Partition partition = mockPartition(table, ImmutableList.of(\"\"));\n\n watermarker.onPartitionProcessBegin(partition, 0l, 0l);\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lmco/eurekastreams | java | server/src/main/java/org/eurekastreams/server/persistence/mappers/DomainMapperTransformer.java | server/src/test/java/org/eurekastreams/server/persistence/mappers/DomainMapperTransformerTest.java | @Override
public Serializable execute(final Serializable inRequest)
{
Serializable results = domainMapper.execute(inRequest);
return transformer.transform(results);
} | execute | @Test
public void testExecute()
{
final String request = "aaaaaa";
final String mapperResponse = "bbbbbbb";
final String transformResponse = "ccccccc";
context.checking(new Expectations()
{
{
oneOf(domainMapper).execute(request);
will(returnValue(mapperResponse));
oneOf(transformer).transform(mapperResponse);
will(returnValue(transformResponse));
}
});
assertSame(transformResponse, sut.execute(request));
context.assertIsSatisfied();
} | testExecute | [
"execute",
"transform"
] | [
"checking",
"execute",
"oneOf",
"will",
"returnValue",
"transform",
"oneOf",
"will",
"returnValue",
"assertSame",
"execute",
"assertIsSatisfied"
] | {
"class_fields": "private final Mockery context = new JUnit4Mockery()\n {\n {\n setImposteriser(ClassImposteriser.INSTANCE);\n }\n };\nprivate DomainMapper<Serializable, Serializable> domainMapper = context.mock(DomainMapper.class, \"domainMapper\");\nprivate Transformer<Serializable, Serializable> transformer = context.mock(Transformer.class, \"transformer\");\nprivate DomainMapperTransformer sut = new DomainMapperTransformer(domainMapper, transformer);",
"class_name": "DomainMapperTransformerTest"
} | {
"class_fields": "private DomainMapper<Serializable, Serializable> domainMapper;\nprivate Transformer<Serializable, Serializable> transformer;",
"class_name": "DomainMapperTransformer implements DomainMapper<Serializable, Serializable>",
"method_signatures": "public DomainMapperTransformer(final DomainMapper<Serializable, Serializable> inDomainMapper,\n final Transformer<Serializable, Serializable> inTransformer)\n@Override public Serializable execute(final Serializable inRequest)"
} | [
{
"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: server/src/main/java/org/eurekastreams/server/persistence/mappers/DomainMapperTransformer.java for which to generate the test case is:\nclass_name: DomainMapperTransformer implements DomainMapper<Serializable, Serializable>\n\nclass_fields: private DomainMapper<Serializable, Serializable> domainMapper;\nprivate Transformer<Serializable, Serializable> transformer;\n\nmethod_signatures: public DomainMapperTransformer(final DomainMapper<Serializable, Serializable> inDomainMapper,\n final Transformer<Serializable, Serializable> inTransformer)\n@Override public Serializable execute(final Serializable inRequest)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: DomainMapperTransformerTest\n\nclass_fields: private final Mockery context = new JUnit4Mockery()\n {\n {\n setImposteriser(ClassImposteriser.INSTANCE);\n }\n };\nprivate DomainMapper<Serializable, Serializable> domainMapper = context.mock(DomainMapper.class, \"domainMapper\");\nprivate Transformer<Serializable, Serializable> transformer = context.mock(Transformer.class, \"transformer\");\nprivate DomainMapperTransformer sut = new DomainMapperTransformer(domainMapper, transformer);\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file server/src/main/java/org/eurekastreams/server/persistence/mappers/DomainMapperTransformer.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public Serializable execute(final Serializable inRequest)\n {\n Serializable results = domainMapper.execute(inRequest);\n return transformer.transform(results);\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 server/src/test/java/org/eurekastreams/server/persistence/mappers/DomainMapperTransformerTest.java\n </TESTFILE7041>\n @Test\n public void testExecute()\n {\n final String request = \"aaaaaa\";\n final String mapperResponse = \"bbbbbbb\";\n final String transformResponse = \"ccccccc\";\n context.checking(new Expectations()\n {\n {\n oneOf(domainMapper).execute(request);\n will(returnValue(mapperResponse));\n\n oneOf(transformer).transform(mapperResponse);\n will(returnValue(transformResponse));\n }\n });\n\n assertSame(transformResponse, sut.execute(request));\n\n context.assertIsSatisfied();\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/knowm/Datasets | java | datasets-reuters-21578/src/main/java/org/knowm/datasets/reuters21578/Reuters21578DAO.java | datasets-reuters-21578/src/test/java/org/knowm/datasets/reuters21578/TestReuters21578DAO.java | public static Reuters21578 selectSingle(int newID) {
String SELECT = "SELECT * FROM REUTERS_21578 WHERE newid = ?";
Object[] params = new Object[] { newID };
return Yank.queryBean(SELECT, Reuters21578.class, params);
} | selectSingle | @Test
public void testSelectSingle() {
Reuters21578 reuters21578 = Reuters21578DAO.selectSingle(1);
assertThat(reuters21578.getNewid(), equalTo(1));
assertThat(reuters21578.getTopics(), equalTo("cocoa"));
assertThat(reuters21578.getPlaces(), equalTo("el-salvador,usa,uruguay"));
} | testSelectSingle | [
"queryBean"
] | [
"selectSingle",
"assertThat",
"getNewid",
"equalTo",
"assertThat",
"getTopics",
"equalTo",
"assertThat",
"getPlaces",
"equalTo"
] | {
"class_fields": "",
"class_name": "TestReuters21578DAO"
} | {
"class_fields": "",
"class_name": "Reuters21578DAO extends DatasetsDAO",
"method_signatures": "public static void init(String dataFilesDir)\npublic static int dropTable()\npublic static int createTable()\npublic static int insert(Reuters21578 reuters21578)\npublic static List<Reuters21578> selectAll()\npublic static List<Reuters21578> selectRange(int startIdx, int size)\npublic static List<Reuters21578> selectRandomList(int size)\npublic static List<Reuters21578> selectModApte(String lewisSplit, boolean topics)\npublic static long selectCount()\npublic static Reuters21578 selectSingle(int newID)"
} | [
{
"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: datasets-reuters-21578/src/main/java/org/knowm/datasets/reuters21578/Reuters21578DAO.java for which to generate the test case is:\nclass_name: Reuters21578DAO extends DatasetsDAO\n\nclass_fields: \n\nmethod_signatures: public static void init(String dataFilesDir)\npublic static int dropTable()\npublic static int createTable()\npublic static int insert(Reuters21578 reuters21578)\npublic static List<Reuters21578> selectAll()\npublic static List<Reuters21578> selectRange(int startIdx, int size)\npublic static List<Reuters21578> selectRandomList(int size)\npublic static List<Reuters21578> selectModApte(String lewisSplit, boolean topics)\npublic static long selectCount()\npublic static Reuters21578 selectSingle(int newID)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: TestReuters21578DAO\n\nclass_fields: \n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file datasets-reuters-21578/src/main/java/org/knowm/datasets/reuters21578/Reuters21578DAO.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public static Reuters21578 selectSingle(int newID) {\n\n String SELECT = \"SELECT * FROM REUTERS_21578 WHERE newid = ?\";\n\n Object[] params = new Object[] { newID };\n\n return Yank.queryBean(SELECT, Reuters21578.class, params);\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 datasets-reuters-21578/src/test/java/org/knowm/datasets/reuters21578/TestReuters21578DAO.java\n </TESTFILE7041>\n @Test\n public void testSelectSingle() {\n\n Reuters21578 reuters21578 = Reuters21578DAO.selectSingle(1);\n assertThat(reuters21578.getNewid(), equalTo(1));\n assertThat(reuters21578.getTopics(), equalTo(\"cocoa\"));\n assertThat(reuters21578.getPlaces(), equalTo(\"el-salvador,usa,uruguay\"));\n\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lordi/tickmate | java | app/src/main/java/de/smasi/tickmate/views/ChooseGroupActivity.java | app/src/test/java/de/smasi/tickmate/views/ChooseGroupActivityTest.java | @Override
protected void onListItemClick(ListView l, View v, int position, long id) {
Group g = (Group) getListView().getAdapter().getItem(position);
if (!g.isSectionHeader()) {
DataSource.getInstance().storeGroup(g);
Intent data = new Intent();
data.putExtra("insert_id", g.getId());
setResult(RESULT_OK, data);
finish();
}
} | onListItemClick | @Test
public void test_onListItemClick_header() {
// create a Group that is a section header
Group g = new Group("groupName");
g.setSectionHeader(true);
g.setId(0);
// set adapter
GroupListAdapter groupListAdapter = new GroupListAdapter(mActivity, new Group[] { g });
mActivity.getListView().setAdapter(groupListAdapter);
// click on Group
mActivity.onListItemClick(mActivity.getListView(), null, 0, 0l);
// verify that activity is not finishing
assertFalse(mActivity.isFinishing());
} | test_onListItemClick_header | [
"getItem",
"getAdapter",
"getListView",
"isSectionHeader",
"storeGroup",
"getInstance",
"putExtra",
"getId",
"setResult",
"finish"
] | [
"setSectionHeader",
"setId",
"setAdapter",
"getListView",
"onListItemClick",
"getListView",
"assertFalse",
"isFinishing"
] | {
"class_fields": "private ActivityController<ChooseGroupActivity> mActivityController;\nprivate ChooseGroupActivity mActivity;",
"class_name": "ChooseGroupActivityTest"
} | {
"class_fields": "ArrayAdapter<Group> groups;",
"class_name": "ChooseGroupActivity extends ListActivity",
"method_signatures": "@Override protected void onCreate(Bundle savedInstanceState)\n@Override protected void onListItemClick(ListView l, View v, int position, long id)\nprivate void setupActionBar()"
} | [
{
"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: app/src/main/java/de/smasi/tickmate/views/ChooseGroupActivity.java for which to generate the test case is:\nclass_name: ChooseGroupActivity extends ListActivity\n\nclass_fields: ArrayAdapter<Group> groups;\n\nmethod_signatures: @Override protected void onCreate(Bundle savedInstanceState)\n@Override protected void onListItemClick(ListView l, View v, int position, long id)\nprivate void setupActionBar()\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: ChooseGroupActivityTest\n\nclass_fields: private ActivityController<ChooseGroupActivity> mActivityController;\nprivate ChooseGroupActivity mActivity;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file app/src/main/java/de/smasi/tickmate/views/ChooseGroupActivity.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n protected void onListItemClick(ListView l, View v, int position, long id) {\n\n Group g = (Group) getListView().getAdapter().getItem(position);\n\n if (!g.isSectionHeader()) {\n DataSource.getInstance().storeGroup(g);\n Intent data = new Intent();\n data.putExtra(\"insert_id\", g.getId());\n setResult(RESULT_OK, data);\n finish();\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 app/src/test/java/de/smasi/tickmate/views/ChooseGroupActivityTest.java\n </TESTFILE7041>\n @Test\n public void test_onListItemClick_header() {\n // create a Group that is a section header\n Group g = new Group(\"groupName\");\n g.setSectionHeader(true);\n g.setId(0);\n\n // set adapter\n GroupListAdapter groupListAdapter = new GroupListAdapter(mActivity, new Group[] { g });\n mActivity.getListView().setAdapter(groupListAdapter);\n\n // click on Group\n mActivity.onListItemClick(mActivity.getListView(), null, 0, 0l);\n\n // verify that activity is not finishing\n assertFalse(mActivity.isFinishing());\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/knowm/Datasets | java | datasets-ucsd-anomaly/src/main/java/org/knowm/datasets/ucsdanomaly/UCSDAnomalyDAO.java | datasets-ucsd-anomaly/src/test/java/org/knowm/datasets/ucsdanomaly/TestUCSDAnomalyDAO.java | public static UCSDAnomaly selectSingle(int id, int tifid) {
Object[] params = new Object[] { id, tifid };
String SELECT_SINGLE = "SELECT * FROM UCSD_ANONMALIES WHERE id = ? and tifid = ?";
return Yank.queryBean(SELECT_SINGLE, UCSDAnomaly.class, params);
} | selectSingle | @Test
public void test() {
UCSDAnomaly uCSDAnomaly = UCSDAnomalyDAO.selectSingle(3, 3);
InputStream bytes;
try {
bytes = uCSDAnomaly.getTifbytes().getBinaryStream();
System.out.println();
// got an image file
// String filename = "./raw/001.png";
// File f = new File(filename);
// System.out.println(f.canRead());
// System.out.println(Arrays.toString(ImageIO.getReaderFileSuffixes()));
BufferedImage bufferedImage = ImageIO.read(bytes);
// bufferedImage is the RenderedImage to be written
System.out.println(
"image size=" + bufferedImage.getHeight() + "x" + bufferedImage.getWidth());
// Graphics2D g2 = bufferedImage.createGraphics();
// g2.drawImage(image, null, null);
// tifPanel.add(new ImagePanel(bufferedImage), BorderLayout.PAGE_END);
} catch (Exception e) {
e.printStackTrace();
}
} | test | [
"queryBean"
] | [
"selectSingle",
"getBinaryStream",
"getTifbytes",
"println",
"read",
"println",
"getHeight",
"getWidth",
"printStackTrace"
] | {
"class_fields": "",
"class_name": "TestUCSDAnomalyDAO"
} | {
"class_fields": "",
"class_name": "UCSDAnomalyDAO extends DatasetsDAO",
"method_signatures": "public static void init(String dataFilesDir)\npublic static int dropTable()\npublic static int createTable()\npublic static int getTrainTestSplit()\npublic static int insert(UCSDAnomaly uCSDAnomaly)\npublic static UCSDAnomaly selectSingle(int id, int tifid)\npublic static List<UCSDAnomaly> selectClip(int id)\npublic static long selectCount()"
} | [
{
"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: datasets-ucsd-anomaly/src/main/java/org/knowm/datasets/ucsdanomaly/UCSDAnomalyDAO.java for which to generate the test case is:\nclass_name: UCSDAnomalyDAO extends DatasetsDAO\n\nclass_fields: \n\nmethod_signatures: public static void init(String dataFilesDir)\npublic static int dropTable()\npublic static int createTable()\npublic static int getTrainTestSplit()\npublic static int insert(UCSDAnomaly uCSDAnomaly)\npublic static UCSDAnomaly selectSingle(int id, int tifid)\npublic static List<UCSDAnomaly> selectClip(int id)\npublic static long selectCount()\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: TestUCSDAnomalyDAO\n\nclass_fields: \n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file datasets-ucsd-anomaly/src/main/java/org/knowm/datasets/ucsdanomaly/UCSDAnomalyDAO.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public static UCSDAnomaly selectSingle(int id, int tifid) {\n\n Object[] params = new Object[] { id, tifid };\n\n String SELECT_SINGLE = \"SELECT * FROM UCSD_ANONMALIES WHERE id = ? and tifid = ?\";\n\n return Yank.queryBean(SELECT_SINGLE, UCSDAnomaly.class, params);\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 datasets-ucsd-anomaly/src/test/java/org/knowm/datasets/ucsdanomaly/TestUCSDAnomalyDAO.java\n </TESTFILE7041>\n @Test\n public void test() {\n\n UCSDAnomaly uCSDAnomaly = UCSDAnomalyDAO.selectSingle(3, 3);\n InputStream bytes;\n try {\n bytes = uCSDAnomaly.getTifbytes().getBinaryStream();\n System.out.println();\n // got an image file\n // String filename = \"./raw/001.png\";\n // File f = new File(filename);\n // System.out.println(f.canRead());\n // System.out.println(Arrays.toString(ImageIO.getReaderFileSuffixes()));\n BufferedImage bufferedImage = ImageIO.read(bytes);\n // bufferedImage is the RenderedImage to be written\n\n System.out.println(\n \"image size=\" + bufferedImage.getHeight() + \"x\" + bufferedImage.getWidth());\n\n // Graphics2D g2 = bufferedImage.createGraphics();\n // g2.drawImage(image, null, null);\n\n // tifPanel.add(new ImagePanel(bufferedImage), BorderLayout.PAGE_END);\n } catch (Exception e) {\n e.printStackTrace();\n }\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/thulab/iotdb | java | iotdb-cli/src/main/java/org/apache/iotdb/cli/client/AbstractClient.java | iotdb-cli/src/test/java/org/apache/iotdb/cli/client/AbstractClientTest.java | protected static void init() {
keywordSet.add("-" + HOST_ARGS);
keywordSet.add("-" + HELP_ARGS);
keywordSet.add("-" + PORT_ARGS);
keywordSet.add("-" + PASSWORD_ARGS);
keywordSet.add("-" + USERNAME_ARGS);
keywordSet.add("-" + ISO8601_ARGS);
keywordSet.add("-" + MAX_PRINT_ROW_COUNT_ARGS);
} | init | @Test
public void testInit() {
AbstractClient.init();
String[] keywords = {AbstractClient.HOST_ARGS, AbstractClient.HELP_ARGS,
AbstractClient.PORT_ARGS,
AbstractClient.PASSWORD_ARGS, AbstractClient.USERNAME_ARGS, AbstractClient.ISO8601_ARGS,
AbstractClient.MAX_PRINT_ROW_COUNT_ARGS,};
for (String keyword : keywords) {
if (!AbstractClient.keywordSet.contains("-" + keyword)) {
System.out.println(keyword);
fail();
}
}
} | testInit | [
"add",
"add",
"add",
"add",
"add",
"add",
"add"
] | [
"init",
"contains",
"println",
"fail"
] | {
"class_fields": "@Mock\n private IoTDBConnection connection;\n@Mock\n private IoTDBDatabaseMetadata databaseMetadata;",
"class_name": "AbstractClientTest"
} | {
"class_fields": "protected static final String HOST_ARGS = \"h\";\nprotected static final String HOST_NAME = \"host\";\nprotected static final String HELP_ARGS = \"help\";\nprotected static final String PORT_ARGS = \"p\";\nprotected static final String PORT_NAME = \"port\";\nprotected static final String PASSWORD_ARGS = \"pw\";\nprotected static final String PASSWORD_NAME = \"password\";\nprotected static final String USERNAME_ARGS = \"u\";\nprotected static final String USERNAME_NAME = \"username\";\nprotected static final String ISO8601_ARGS = \"disableISO8601\";\nprotected static final List<String> AGGREGRATE_TIME_LIST = new ArrayList<>();\nprotected static final String MAX_PRINT_ROW_COUNT_ARGS = \"maxPRC\";\nprotected static final String MAX_PRINT_ROW_COUNT_NAME = \"maxPrintRowCount\";\nprotected static final String SET_MAX_DISPLAY_NUM = \"set max_display_num\";\nprotected static final String SET_TIMESTAMP_DISPLAY = \"set time_display_type\";\nprotected static final String SHOW_TIMESTAMP_DISPLAY = \"show time_display_type\";\nprotected static final String SET_TIME_ZONE = \"set time_zone\";\nprotected static final String SHOW_TIMEZONE = \"show time_zone\";\nprotected static final String SET_FETCH_SIZE = \"set fetch_size\";\nprotected static final String SHOW_FETCH_SIZE = \"show fetch_size\";\nprotected static final String HELP = \"help\";\nprotected static final String IOTDB_CLI_PREFIX = \"IoTDB\";\nprotected static final String SCRIPT_HINT = \"./start-client.sh(start-client.bat if Windows)\";\nprotected static final String QUIT_COMMAND = \"quit\";\nprotected static final String EXIT_COMMAND = \"exit\";\nprotected static final String SHOW_METADATA_COMMAND = \"show timeseries\";\nprotected static final int MAX_HELP_CONSOLE_WIDTH = 88;\nprotected static final String TIMESTAMP_STR = \"Time\";\nprotected static final int ISO_DATETIME_LEN = 26;\nprotected static final String IMPORT_CMD = \"import\";\nprotected static final String EXPORT_CMD = \"export\";\nprivate static final String NEED_NOT_TO_PRINT_TIMESTAMP = \"AGGREGATION\";\nprotected static String timeFormat = \"default\";\nprotected static int maxPrintRowCount = 1000;\nprotected static int fetchSize = 10000;\nprotected static int maxTimeLength = ISO_DATETIME_LEN;\nprotected static int maxValueLength = 15;\nprotected static int[] maxValueLengthForShow = new int[]{75, 45, 8, 8};\nprotected static String formatTime = \"%\" + maxTimeLength + \"s|\";\nprotected static String formatValue = \"%\" + maxValueLength + \"s|\";\nprotected static int DIVIDING_LINE_LEN = 40;\nprotected static String host = \"127.0.0.1\";\nprotected static String port = \"6667\";\nprotected static String username;\nprotected static String password;\nprotected static boolean printToConsole = true;\nprotected static Set<String> keywordSet = new HashSet<>();\nprotected static ServerProperties properties = null;",
"class_name": "AbstractClient",
"method_signatures": "protected static void init()\npublic static void output(ResultSet res, boolean printToConsole, String statement, ZoneId zoneId)\nprotected static Options createOptions()\nprivate static String formatDatetime(long timestamp, ZoneId zoneId)\nprotected static String checkRequiredArg(String arg, String name, CommandLine commandLine,\n boolean isRequired,\n String defaultValue)\nprotected static void setTimeFormat(String newTimeFormat)\nprivate static void setFetchSize(String fetchSizeString)\nprotected static void setMaxDisplayNumber(String maxDisplayNum)\nprotected static void printBlockLine(boolean printTimestamp, int colCount,\n ResultSetMetaData resultSetMetaData,\n boolean isShowTs)\nprotected static void printName(boolean printTimestamp, int colCount,\n ResultSetMetaData resultSetMetaData,\n boolean isShowTs)\nprotected static String[] removePasswordArgs(String[] args)\nprotected static void displayLogo(String version)\nprotected static OperationResult handleInputInputCmd(String cmd, IoTDBConnection connection)"
} | [
{
"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: iotdb-cli/src/main/java/org/apache/iotdb/cli/client/AbstractClient.java for which to generate the test case is:\nclass_name: AbstractClient\n\nclass_fields: protected static final String HOST_ARGS = \"h\";\nprotected static final String HOST_NAME = \"host\";\nprotected static final String HELP_ARGS = \"help\";\nprotected static final String PORT_ARGS = \"p\";\nprotected static final String PORT_NAME = \"port\";\nprotected static final String PASSWORD_ARGS = \"pw\";\nprotected static final String PASSWORD_NAME = \"password\";\nprotected static final String USERNAME_ARGS = \"u\";\nprotected static final String USERNAME_NAME = \"username\";\nprotected static final String ISO8601_ARGS = \"disableISO8601\";\nprotected static final List<String> AGGREGRATE_TIME_LIST = new ArrayList<>();\nprotected static final String MAX_PRINT_ROW_COUNT_ARGS = \"maxPRC\";\nprotected static final String MAX_PRINT_ROW_COUNT_NAME = \"maxPrintRowCount\";\nprotected static final String SET_MAX_DISPLAY_NUM = \"set max_display_num\";\nprotected static final String SET_TIMESTAMP_DISPLAY = \"set time_display_type\";\nprotected static final String SHOW_TIMESTAMP_DISPLAY = \"show time_display_type\";\nprotected static final String SET_TIME_ZONE = \"set time_zone\";\nprotected static final String SHOW_TIMEZONE = \"show time_zone\";\nprotected static final String SET_FETCH_SIZE = \"set fetch_size\";\nprotected static final String SHOW_FETCH_SIZE = \"show fetch_size\";\nprotected static final String HELP = \"help\";\nprotected static final String IOTDB_CLI_PREFIX = \"IoTDB\";\nprotected static final String SCRIPT_HINT = \"./start-client.sh(start-client.bat if Windows)\";\nprotected static final String QUIT_COMMAND = \"quit\";\nprotected static final String EXIT_COMMAND = \"exit\";\nprotected static final String SHOW_METADATA_COMMAND = \"show timeseries\";\nprotected static final int MAX_HELP_CONSOLE_WIDTH = 88;\nprotected static final String TIMESTAMP_STR = \"Time\";\nprotected static final int ISO_DATETIME_LEN = 26;\nprotected static final String IMPORT_CMD = \"import\";\nprotected static final String EXPORT_CMD = \"export\";\nprivate static final String NEED_NOT_TO_PRINT_TIMESTAMP = \"AGGREGATION\";\nprotected static String timeFormat = \"default\";\nprotected static int maxPrintRowCount = 1000;\nprotected static int fetchSize = 10000;\nprotected static int maxTimeLength = ISO_DATETIME_LEN;\nprotected static int maxValueLength = 15;\nprotected static int[] maxValueLengthForShow = new int[]{75, 45, 8, 8};\nprotected static String formatTime = \"%\" + maxTimeLength + \"s|\";\nprotected static String formatValue = \"%\" + maxValueLength + \"s|\";\nprotected static int DIVIDING_LINE_LEN = 40;\nprotected static String host = \"127.0.0.1\";\nprotected static String port = \"6667\";\nprotected static String username;\nprotected static String password;\nprotected static boolean printToConsole = true;\nprotected static Set<String> keywordSet = new HashSet<>();\nprotected static ServerProperties properties = null;\n\nmethod_signatures: protected static void init()\npublic static void output(ResultSet res, boolean printToConsole, String statement, ZoneId zoneId)\nprotected static Options createOptions()\nprivate static String formatDatetime(long timestamp, ZoneId zoneId)\nprotected static String checkRequiredArg(String arg, String name, CommandLine commandLine,\n boolean isRequired,\n String defaultValue)\nprotected static void setTimeFormat(String newTimeFormat)\nprivate static void setFetchSize(String fetchSizeString)\nprotected static void setMaxDisplayNumber(String maxDisplayNum)\nprotected static void printBlockLine(boolean printTimestamp, int colCount,\n ResultSetMetaData resultSetMetaData,\n boolean isShowTs)\nprotected static void printName(boolean printTimestamp, int colCount,\n ResultSetMetaData resultSetMetaData,\n boolean isShowTs)\nprotected static String[] removePasswordArgs(String[] args)\nprotected static void displayLogo(String version)\nprotected static OperationResult handleInputInputCmd(String cmd, IoTDBConnection connection)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: AbstractClientTest\n\nclass_fields: @Mock\n private IoTDBConnection connection;\n@Mock\n private IoTDBDatabaseMetadata databaseMetadata;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file iotdb-cli/src/main/java/org/apache/iotdb/cli/client/AbstractClient.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n protected static void init() {\n keywordSet.add(\"-\" + HOST_ARGS);\n keywordSet.add(\"-\" + HELP_ARGS);\n keywordSet.add(\"-\" + PORT_ARGS);\n keywordSet.add(\"-\" + PASSWORD_ARGS);\n keywordSet.add(\"-\" + USERNAME_ARGS);\n keywordSet.add(\"-\" + ISO8601_ARGS);\n keywordSet.add(\"-\" + MAX_PRINT_ROW_COUNT_ARGS);\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 iotdb-cli/src/test/java/org/apache/iotdb/cli/client/AbstractClientTest.java\n </TESTFILE7041>\n @Test\n public void testInit() {\n AbstractClient.init();\n String[] keywords = {AbstractClient.HOST_ARGS, AbstractClient.HELP_ARGS,\n AbstractClient.PORT_ARGS,\n AbstractClient.PASSWORD_ARGS, AbstractClient.USERNAME_ARGS, AbstractClient.ISO8601_ARGS,\n AbstractClient.MAX_PRINT_ROW_COUNT_ARGS,};\n for (String keyword : keywords) {\n if (!AbstractClient.keywordSet.contains(\"-\" + keyword)) {\n System.out.println(keyword);\n fail();\n }\n }\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/thulab/iotdb | java | jdbc/src/main/java/org/apache/iotdb/jdbc/Utils.java | jdbc/src/test/java/org/apache/iotdb/jdbc/UtilsTest.java | public static void verifySuccess(TS_Status status) throws IoTDBSQLException {
if (status.getStatusCode() != TS_StatusCode.SUCCESS_STATUS) {
throw new IoTDBSQLException(status.errorMessage);
}
} | verifySuccess | @Test
public void testVerifySuccess() {
try {
Utils.verifySuccess(new TS_Status(TS_StatusCode.SUCCESS_STATUS));
} catch (Exception e) {
fail();
}
try {
Utils.verifySuccess(new TS_Status(TS_StatusCode.ERROR_STATUS));
} catch (Exception e) {
return;
}
fail();
} | testVerifySuccess | [
"getStatusCode"
] | [
"verifySuccess",
"fail",
"verifySuccess",
"fail"
] | {
"class_fields": "",
"class_name": "UtilsTest"
} | {
"class_fields": "",
"class_name": "Utils",
"method_signatures": "public static IoTDBConnectionParams parseUrl(String url, Properties info)\npublic static void verifySuccess(TS_Status status)\npublic static List<RowRecord> convertRowRecords(TSQueryDataSet tsQueryDataSet)"
} | [
{
"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: jdbc/src/main/java/org/apache/iotdb/jdbc/Utils.java for which to generate the test case is:\nclass_name: Utils\n\nclass_fields: \n\nmethod_signatures: public static IoTDBConnectionParams parseUrl(String url, Properties info)\npublic static void verifySuccess(TS_Status status)\npublic static List<RowRecord> convertRowRecords(TSQueryDataSet tsQueryDataSet)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: UtilsTest\n\nclass_fields: \n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file jdbc/src/main/java/org/apache/iotdb/jdbc/Utils.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public static void verifySuccess(TS_Status status) throws IoTDBSQLException {\n if (status.getStatusCode() != TS_StatusCode.SUCCESS_STATUS) {\n throw new IoTDBSQLException(status.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 jdbc/src/test/java/org/apache/iotdb/jdbc/UtilsTest.java\n </TESTFILE7041>\n @Test\n public void testVerifySuccess() {\n try {\n Utils.verifySuccess(new TS_Status(TS_StatusCode.SUCCESS_STATUS));\n } catch (Exception e) {\n fail();\n }\n\n try {\n Utils.verifySuccess(new TS_Status(TS_StatusCode.ERROR_STATUS));\n } catch (Exception e) {\n return;\n }\n fail();\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lorthos/incubator-zeppelin-druid | java | zeppelin-zengine/src/main/java/org/apache/zeppelin/notebook/Notebook.java | zeppelin-zengine/src/test/java/org/apache/zeppelin/notebook/NotebookTest.java | public Note createNote() throws IOException {
Note note;
if (conf.getBoolean(ConfVars.ZEPPELIN_NOTEBOOK_AUTO_INTERPRETER_BINDING)) {
note = createNote(replFactory.getDefaultInterpreterSettingList());
} else {
note = createNote(null);
}
notebookIndex.addIndexDoc(note);
return note;
} | createNote | @Test
public void testSelectingReplImplementation() throws IOException {
Note note = notebook.createNote();
note.getNoteReplLoader().setInterpreters(factory.getDefaultInterpreterSettingList());
// run with defatul repl
Paragraph p1 = note.addParagraph();
Map config = p1.getConfig();
config.put("enabled", true);
p1.setConfig(config);
p1.setText("hello world");
note.run(p1.getId());
while(p1.isTerminated()==false || p1.getResult()==null) Thread.yield();
assertEquals("repl1: hello world", p1.getResult().message());
// run with specific repl
Paragraph p2 = note.addParagraph();
p2.setConfig(config);
p2.setText("%mock2 hello world");
note.run(p2.getId());
while(p2.isTerminated()==false || p2.getResult()==null) Thread.yield();
assertEquals("repl2: hello world", p2.getResult().message());
} | testSelectingReplImplementation | [
"getBoolean",
"createNote",
"getDefaultInterpreterSettingList",
"createNote",
"addIndexDoc"
] | [
"createNote",
"setInterpreters",
"getNoteReplLoader",
"getDefaultInterpreterSettingList",
"addParagraph",
"getConfig",
"put",
"setConfig",
"setText",
"run",
"getId",
"isTerminated",
"getResult",
"yield",
"assertEquals",
"message",
"getResult",
"addParagraph",
"setConfig",
"setText",
"run",
"getId",
"isTerminated",
"getResult",
"yield",
"assertEquals",
"message",
"getResult"
] | {
"class_fields": "private static final Logger logger = LoggerFactory.getLogger(NotebookTest.class);\nprivate File tmpDir;\nprivate ZeppelinConfiguration conf;\nprivate SchedulerFactory schedulerFactory;\nprivate File notebookDir;\nprivate Notebook notebook;\nprivate NotebookRepo notebookRepo;\nprivate InterpreterFactory factory;",
"class_name": "NotebookTest implements JobListenerFactory"
} | {
"class_fields": "Logger logger = LoggerFactory.getLogger(Notebook.class);\n@SuppressWarnings(\"unused\") @Deprecated //TODO(bzz): remove unused\n private SchedulerFactory schedulerFactory;\nprivate InterpreterFactory replFactory;\nMap<String, Note> notes = new LinkedHashMap<String, Note>();\nprivate ZeppelinConfiguration conf;\nprivate StdSchedulerFactory quertzSchedFact;\nprivate org.quartz.Scheduler quartzSched;\nprivate JobListenerFactory jobListenerFactory;\nprivate NotebookRepo notebookRepo;\nprivate SearchService notebookIndex;",
"class_name": "Notebook",
"method_signatures": "public Notebook(ZeppelinConfiguration conf, NotebookRepo notebookRepo,\n SchedulerFactory schedulerFactory,\n InterpreterFactory replFactory, JobListenerFactory jobListenerFactory,\n SearchService notebookIndex)\npublic Note createNote()\npublic Note createNote(List<String> interpreterIds)\npublic Note cloneNote(String sourceNoteID, String newNoteName)\npublic void bindInterpretersToNote(String id,\n List<String> interpreterSettingIds)\npublic List<String> getBindedInterpreterSettingsIds(String id)\npublic List<InterpreterSetting> getBindedInterpreterSettings(String id)\npublic Note getNote(String id)\npublic void removeNote(String id)\n@SuppressWarnings(\"rawtypes\") private Note loadNoteFromRepo(String id)\nprivate void loadAllNotes()\npublic void reloadAllNotes()\npublic List<Note> getAllNotes()\npublic JobListenerFactory getJobListenerFactory()\npublic void setJobListenerFactory(JobListenerFactory jobListenerFactory)\npublic void refreshCron(String id)\nprivate void removeCron(String id)\npublic InterpreterFactory getInterpreterFactory()\npublic ZeppelinConfiguration getConf()\npublic void close()"
} | [
{
"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: zeppelin-zengine/src/main/java/org/apache/zeppelin/notebook/Notebook.java for which to generate the test case is:\nclass_name: Notebook\n\nclass_fields: Logger logger = LoggerFactory.getLogger(Notebook.class);\n@SuppressWarnings(\"unused\") @Deprecated //TODO(bzz): remove unused\n private SchedulerFactory schedulerFactory;\nprivate InterpreterFactory replFactory;\nMap<String, Note> notes = new LinkedHashMap<String, Note>();\nprivate ZeppelinConfiguration conf;\nprivate StdSchedulerFactory quertzSchedFact;\nprivate org.quartz.Scheduler quartzSched;\nprivate JobListenerFactory jobListenerFactory;\nprivate NotebookRepo notebookRepo;\nprivate SearchService notebookIndex;\n\nmethod_signatures: public Notebook(ZeppelinConfiguration conf, NotebookRepo notebookRepo,\n SchedulerFactory schedulerFactory,\n InterpreterFactory replFactory, JobListenerFactory jobListenerFactory,\n SearchService notebookIndex)\npublic Note createNote()\npublic Note createNote(List<String> interpreterIds)\npublic Note cloneNote(String sourceNoteID, String newNoteName)\npublic void bindInterpretersToNote(String id,\n List<String> interpreterSettingIds)\npublic List<String> getBindedInterpreterSettingsIds(String id)\npublic List<InterpreterSetting> getBindedInterpreterSettings(String id)\npublic Note getNote(String id)\npublic void removeNote(String id)\n@SuppressWarnings(\"rawtypes\") private Note loadNoteFromRepo(String id)\nprivate void loadAllNotes()\npublic void reloadAllNotes()\npublic List<Note> getAllNotes()\npublic JobListenerFactory getJobListenerFactory()\npublic void setJobListenerFactory(JobListenerFactory jobListenerFactory)\npublic void refreshCron(String id)\nprivate void removeCron(String id)\npublic InterpreterFactory getInterpreterFactory()\npublic ZeppelinConfiguration getConf()\npublic void close()\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: NotebookTest implements JobListenerFactory\n\nclass_fields: private static final Logger logger = LoggerFactory.getLogger(NotebookTest.class);\nprivate File tmpDir;\nprivate ZeppelinConfiguration conf;\nprivate SchedulerFactory schedulerFactory;\nprivate File notebookDir;\nprivate Notebook notebook;\nprivate NotebookRepo notebookRepo;\nprivate InterpreterFactory factory;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file zeppelin-zengine/src/main/java/org/apache/zeppelin/notebook/Notebook.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public Note createNote() throws IOException {\n Note note;\n if (conf.getBoolean(ConfVars.ZEPPELIN_NOTEBOOK_AUTO_INTERPRETER_BINDING)) {\n note = createNote(replFactory.getDefaultInterpreterSettingList());\n } else {\n note = createNote(null);\n }\n notebookIndex.addIndexDoc(note);\n return note;\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 zeppelin-zengine/src/test/java/org/apache/zeppelin/notebook/NotebookTest.java\n </TESTFILE7041>\n @Test\n public void testSelectingReplImplementation() throws IOException {\n Note note = notebook.createNote();\n note.getNoteReplLoader().setInterpreters(factory.getDefaultInterpreterSettingList());\n\n // run with defatul repl\n Paragraph p1 = note.addParagraph();\n Map config = p1.getConfig();\n config.put(\"enabled\", true);\n p1.setConfig(config);\n p1.setText(\"hello world\");\n note.run(p1.getId());\n while(p1.isTerminated()==false || p1.getResult()==null) Thread.yield();\n assertEquals(\"repl1: hello world\", p1.getResult().message());\n\n // run with specific repl\n Paragraph p2 = note.addParagraph();\n p2.setConfig(config);\n p2.setText(\"%mock2 hello world\");\n note.run(p2.getId());\n while(p2.isTerminated()==false || p2.getResult()==null) Thread.yield();\n assertEquals(\"repl2: hello world\", p2.getResult().message());\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/thulab/iotdb | java | iotdb/src/main/java/org/apache/iotdb/db/qp/strategy/LogicalGenerator.java | iotdb/src/test/java/org/apache/iotdb/db/qp/strategy/LogicalGeneratorTest.java | public long parseTimeFormat(String timestampStr) throws LogicalOperatorException {
if (timestampStr == null || timestampStr.trim().equals("")) {
throw new LogicalOperatorException("input timestamp cannot be empty");
}
if (timestampStr.toLowerCase().equals(SQLConstant.NOW_FUNC)) {
return System.currentTimeMillis();
}
try {
return DatetimeUtils.convertDatetimeStrToMillisecond(timestampStr, zoneId);
} catch (Exception e) {
throw new LogicalOperatorException(String
.format("Input time format %s error. "
+ "Input like yyyy-MM-dd HH:mm:ss, yyyy-MM-ddTHH:mm:ss or "
+ "refer to user document for more info.", timestampStr));
}
} | parseTimeFormat | @Test
public void testParseTimeFormatNow() throws LogicalOperatorException {
long now = generator.parseTimeFormat(SQLConstant.NOW_FUNC);
for (int i = 0; i <= 12; i++) {
ZoneOffset offset1, offset2;
if (i < 10) {
offset1 = ZoneOffset.of("+0" + i + ":00");
offset2 = ZoneOffset.of("-0" + i + ":00");
} else {
offset1 = ZoneOffset.of("+" + i + ":00");
offset2 = ZoneOffset.of("-" + i + ":00");
}
ZonedDateTime zonedDateTime = ZonedDateTime.ofInstant(Instant.ofEpochMilli(now),
ZoneId.of(offset1.toString()));
assertEquals(now, zonedDateTime.toInstant().toEpochMilli());
zonedDateTime = ZonedDateTime
.ofInstant(Instant.ofEpochMilli(now), ZoneId.of(offset2.toString()));
assertEquals(now, zonedDateTime.toInstant().toEpochMilli());
}
} | testParseTimeFormatNow | [
"equals",
"trim",
"equals",
"toLowerCase",
"currentTimeMillis",
"convertDatetimeStrToMillisecond",
"format"
] | [
"parseTimeFormat",
"of",
"of",
"of",
"of",
"ofInstant",
"ofEpochMilli",
"of",
"toString",
"assertEquals",
"toEpochMilli",
"toInstant",
"ofInstant",
"ofEpochMilli",
"of",
"toString",
"assertEquals",
"toEpochMilli",
"toInstant"
] | {
"class_fields": "LogicalGenerator generator;",
"class_name": "LogicalGeneratorTest"
} | {
"class_fields": "private Logger log = LoggerFactory.getLogger(LogicalGenerator.class);\nprivate RootOperator initializedOperator = null;\nprivate ZoneId zoneId;",
"class_name": "LogicalGenerator",
"method_signatures": "public LogicalGenerator(ZoneId zoneId)\npublic RootOperator getLogicalPlan(AstNode astNode)\nprivate void analyze(AstNode astNode)\nprivate void analyzeSlimit(AstNode astNode)\nprivate void analyzeSoffset(AstNode astNode)\nprivate void analyzeLimit(AstNode astNode)\nprivate void analyzeList(AstNode astNode)\nprivate void analyzePropertyCreate(AstNode astNode)\nprivate void analyzePropertyAddLabel(AstNode astNode)\nprivate void analyzePropertyDeleteLabel(AstNode astNode)\nprivate Path parsePropertyAndLabel(AstNode astNode, int startIndex)\nprivate void analyzePropertyLink(AstNode astNode)\nprivate void analyzePropertyUnLink(AstNode astNode)\nprivate void analyzeMetadataCreate(AstNode astNode)\nprivate void analyzeMetadataDelete(AstNode astNode)\nprivate void analyzeMetadataSetFileLevel(AstNode astNode)\nprivate void analyzeInsert(AstNode astNode)\nprivate void analyzeUpdate(AstNode astNode)\nprivate void analyzeDelete(AstNode astNode)\nprivate long parseDeleteTimeFilter(DeleteOperator operator)\nprivate void analyzeFrom(AstNode node)\nprivate void analyzeSelectedPath(AstNode astNode)\nprivate void analyzeWhere(AstNode astNode)\nprivate void analyzeWhere(AstNode ast, int tokenIntType, FilterOperator filterOp)\nprivate void analyzeGroupBy(AstNode astNode)\nprivate void analyzeFill(AstNode node)\nprivate void checkTypeFill(TSDataType dataType, int type)\nprivate TSDataType parseTypeNode(AstNode typeNode)\nprivate long parseTimeUnit(AstNode node)\nprivate Pair<Path, String> parseLeafNode(AstNode node)\nprivate String parseTokenTime(AstNode astNode)\npublic long parseTimeFormat(String timestampStr)\nprivate Path parsePath(AstNode node)\nprivate String parseStringWithQuoto(String src)\nprivate void analyzeDataLoad(AstNode astNode)\nprivate void analyzeAuthorCreate(AstNode astNode)\nprivate void analyzeAuthorUpdate(AstNode astNode)\nprivate void analyzeAuthorDrop(AstNode astNode)\nprivate void analyzeAuthorGrant(AstNode astNode)\nprivate void analyzeAuthorRevoke(AstNode astNode)\nprivate void checkMetadataArgs(String dataType, String encoding)"
} | [
{
"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: iotdb/src/main/java/org/apache/iotdb/db/qp/strategy/LogicalGenerator.java for which to generate the test case is:\nclass_name: LogicalGenerator\n\nclass_fields: private Logger log = LoggerFactory.getLogger(LogicalGenerator.class);\nprivate RootOperator initializedOperator = null;\nprivate ZoneId zoneId;\n\nmethod_signatures: public LogicalGenerator(ZoneId zoneId)\npublic RootOperator getLogicalPlan(AstNode astNode)\nprivate void analyze(AstNode astNode)\nprivate void analyzeSlimit(AstNode astNode)\nprivate void analyzeSoffset(AstNode astNode)\nprivate void analyzeLimit(AstNode astNode)\nprivate void analyzeList(AstNode astNode)\nprivate void analyzePropertyCreate(AstNode astNode)\nprivate void analyzePropertyAddLabel(AstNode astNode)\nprivate void analyzePropertyDeleteLabel(AstNode astNode)\nprivate Path parsePropertyAndLabel(AstNode astNode, int startIndex)\nprivate void analyzePropertyLink(AstNode astNode)\nprivate void analyzePropertyUnLink(AstNode astNode)\nprivate void analyzeMetadataCreate(AstNode astNode)\nprivate void analyzeMetadataDelete(AstNode astNode)\nprivate void analyzeMetadataSetFileLevel(AstNode astNode)\nprivate void analyzeInsert(AstNode astNode)\nprivate void analyzeUpdate(AstNode astNode)\nprivate void analyzeDelete(AstNode astNode)\nprivate long parseDeleteTimeFilter(DeleteOperator operator)\nprivate void analyzeFrom(AstNode node)\nprivate void analyzeSelectedPath(AstNode astNode)\nprivate void analyzeWhere(AstNode astNode)\nprivate void analyzeWhere(AstNode ast, int tokenIntType, FilterOperator filterOp)\nprivate void analyzeGroupBy(AstNode astNode)\nprivate void analyzeFill(AstNode node)\nprivate void checkTypeFill(TSDataType dataType, int type)\nprivate TSDataType parseTypeNode(AstNode typeNode)\nprivate long parseTimeUnit(AstNode node)\nprivate Pair<Path, String> parseLeafNode(AstNode node)\nprivate String parseTokenTime(AstNode astNode)\npublic long parseTimeFormat(String timestampStr)\nprivate Path parsePath(AstNode node)\nprivate String parseStringWithQuoto(String src)\nprivate void analyzeDataLoad(AstNode astNode)\nprivate void analyzeAuthorCreate(AstNode astNode)\nprivate void analyzeAuthorUpdate(AstNode astNode)\nprivate void analyzeAuthorDrop(AstNode astNode)\nprivate void analyzeAuthorGrant(AstNode astNode)\nprivate void analyzeAuthorRevoke(AstNode astNode)\nprivate void checkMetadataArgs(String dataType, String encoding)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: LogicalGeneratorTest\n\nclass_fields: LogicalGenerator generator;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file iotdb/src/main/java/org/apache/iotdb/db/qp/strategy/LogicalGenerator.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public long parseTimeFormat(String timestampStr) throws LogicalOperatorException {\n if (timestampStr == null || timestampStr.trim().equals(\"\")) {\n throw new LogicalOperatorException(\"input timestamp cannot be empty\");\n }\n if (timestampStr.toLowerCase().equals(SQLConstant.NOW_FUNC)) {\n return System.currentTimeMillis();\n }\n try {\n return DatetimeUtils.convertDatetimeStrToMillisecond(timestampStr, zoneId);\n } catch (Exception e) {\n throw new LogicalOperatorException(String\n .format(\"Input time format %s error. \"\n + \"Input like yyyy-MM-dd HH:mm:ss, yyyy-MM-ddTHH:mm:ss or \"\n + \"refer to user document for more info.\", timestampStr));\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 iotdb/src/test/java/org/apache/iotdb/db/qp/strategy/LogicalGeneratorTest.java\n </TESTFILE7041>\n @Test\n public void testParseTimeFormatNow() throws LogicalOperatorException {\n long now = generator.parseTimeFormat(SQLConstant.NOW_FUNC);\n for (int i = 0; i <= 12; i++) {\n ZoneOffset offset1, offset2;\n if (i < 10) {\n offset1 = ZoneOffset.of(\"+0\" + i + \":00\");\n offset2 = ZoneOffset.of(\"-0\" + i + \":00\");\n } else {\n offset1 = ZoneOffset.of(\"+\" + i + \":00\");\n offset2 = ZoneOffset.of(\"-\" + i + \":00\");\n }\n ZonedDateTime zonedDateTime = ZonedDateTime.ofInstant(Instant.ofEpochMilli(now),\n ZoneId.of(offset1.toString()));\n assertEquals(now, zonedDateTime.toInstant().toEpochMilli());\n zonedDateTime = ZonedDateTime\n .ofInstant(Instant.ofEpochMilli(now), ZoneId.of(offset2.toString()));\n assertEquals(now, zonedDateTime.toInstant().toEpochMilli());\n }\n\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/threerings/tripleplay | java | core/src/main/java/tripleplay/util/Bag.java | core/src/test/java/tripleplay/util/BagTest.java | @Override public Iterator<E> iterator () {
return new Iterator<E>() {
@Override public boolean hasNext() {
return _pos < _size;
}
@Override public E next () {
return get(_pos++);
}
@Override public void remove () {
Bag.this.removeAt(--_pos);
}
protected int _pos;
};
} | iterator | @Test public void testIterator () {
Bag<Integer> bag = Bag.create();
Set<Integer> values = new HashSet<Integer>();
values.add(5);
values.add(10);
values.add(25);
for (Integer elem : values) bag.add(elem);
assertEquals(values.size(), bag.size());
for (Integer elem : bag) assertTrue(values.remove(elem));
assertTrue(values.isEmpty());
} | testIterator | [
"get",
"removeAt"
] | [
"create",
"add",
"add",
"add",
"add",
"assertEquals",
"size",
"size",
"assertTrue",
"remove",
"assertTrue",
"isEmpty"
] | {
"class_fields": "",
"class_name": "BagTest"
} | {
"class_fields": "protected Object[] _elems;\nprotected int _size;",
"class_name": "Bag implements Iterable<E>",
"method_signatures": "public static Bag<E> create()\npublic static Bag<E> create(int initialCapacity)\npublic Bag()\npublic Bag(int initialCapacity)\npublic int size()\npublic boolean isEmpty()\npublic final E get(int index)\npublic boolean contains(E elem)\npublic boolean contains(Function<E,Boolean> pred)\npublic int add(E elem)\npublic E removeAt(int index)\npublic boolean remove(E elem)\npublic boolean removeWhere(Function<E,Boolean> pred)\npublic E removeLast()\npublic void removeAll()\n@Override public Iterator<E> iterator()\n@Override public String toString()\nprivate void expand(int capacity)"
} | [
{
"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/tripleplay/util/Bag.java for which to generate the test case is:\nclass_name: Bag implements Iterable<E>\n\nclass_fields: protected Object[] _elems;\nprotected int _size;\n\nmethod_signatures: public static Bag<E> create()\npublic static Bag<E> create(int initialCapacity)\npublic Bag()\npublic Bag(int initialCapacity)\npublic int size()\npublic boolean isEmpty()\npublic final E get(int index)\npublic boolean contains(E elem)\npublic boolean contains(Function<E,Boolean> pred)\npublic int add(E elem)\npublic E removeAt(int index)\npublic boolean remove(E elem)\npublic boolean removeWhere(Function<E,Boolean> pred)\npublic E removeLast()\npublic void removeAll()\n@Override public Iterator<E> iterator()\n@Override public String toString()\nprivate void expand(int capacity)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: BagTest\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/tripleplay/util/Bag.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override public Iterator<E> iterator () {\n return new Iterator<E>() {\n @Override public boolean hasNext() {\n return _pos < _size;\n }\n @Override public E next () {\n return get(_pos++);\n }\n @Override public void remove () {\n Bag.this.removeAt(--_pos);\n }\n protected int _pos;\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/tripleplay/util/BagTest.java\n </TESTFILE7041>\n @Test public void testIterator () {\n Bag<Integer> bag = Bag.create();\n Set<Integer> values = new HashSet<Integer>();\n values.add(5);\n values.add(10);\n values.add(25);\n\n for (Integer elem : values) bag.add(elem);\n assertEquals(values.size(), bag.size());\n for (Integer elem : bag) assertTrue(values.remove(elem));\n assertTrue(values.isEmpty());\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/openstack-atlas/atlas-lb | java | extensions/rax/api/src/main/java/org/openstack/atlas/rax/api/mapper/dozer/converter/ExtensionObjectMapper.java | extensions/rax/api/src/test/java/org/openstack/atlas/rax/api/mapper/dozer/converter/ExtensionObjectMapperTest.java | public static <T> T getAnyElement(List<Object> anies, Class<T> classType) {
for (Object any : anies) {
LOG.debug("Class: " + any.getClass());
if (any instanceof Element) {
Element element = (Element) any;
try {
JAXBContext jc = JAXBContext.newInstance(ObjectFactory.class.getPackage().getName());
Unmarshaller unmarshaller = jc.createUnmarshaller();
Object o = unmarshaller.unmarshal(element);
if(classType.isInstance(o)) {
return classType.cast(o);
}
} catch (JAXBException e) {
e.printStackTrace();
}
}
}
return null;
} | getAnyElement | @Test
public void shouldUnmarshallAccessListFromAniesList() throws JAXBException, ParserConfigurationException, IOException, SAXException {
AccessList accessList = ExtensionObjectMapper.getAnyElement(unMarshalledLb.getAnies(), AccessList.class);
Assert.assertNotNull(accessList);
Assert.assertEquals("1.1.1.1", accessList.getNetworkItems().get(0).getAddress());
Assert.assertEquals(IpVersion.IPV4, accessList.getNetworkItems().get(0).getIpVersion());
Assert.assertEquals(NetworkItemType.DENY, accessList.getNetworkItems().get(0).getType());
} | shouldUnmarshallAccessListFromAniesList | [
"debug",
"getClass",
"newInstance",
"getName",
"getPackage",
"createUnmarshaller",
"unmarshal",
"isInstance",
"cast",
"printStackTrace"
] | [
"getAnyElement",
"getAnies",
"assertNotNull",
"assertEquals",
"getAddress",
"get",
"getNetworkItems",
"assertEquals",
"getIpVersion",
"get",
"getNetworkItems",
"assertEquals",
"getType",
"get",
"getNetworkItems"
] | {
"class_fields": "private LoadBalancer unMarshalledLb;",
"class_name": "ExtensionObjectMapperTest"
} | {
"class_fields": "private static Log LOG = LogFactory.getLog(ExtensionObjectMapper.class.getName());",
"class_name": "ExtensionObjectMapper",
"method_signatures": "public static T getOtherAttribute(Map<QName, String> otherAttributes, String attributeName)\npublic static T getAnyElement(List<Object> anies, Class<T> classType)"
} | [
{
"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: extensions/rax/api/src/main/java/org/openstack/atlas/rax/api/mapper/dozer/converter/ExtensionObjectMapper.java for which to generate the test case is:\nclass_name: ExtensionObjectMapper\n\nclass_fields: private static Log LOG = LogFactory.getLog(ExtensionObjectMapper.class.getName());\n\nmethod_signatures: public static T getOtherAttribute(Map<QName, String> otherAttributes, String attributeName)\npublic static T getAnyElement(List<Object> anies, Class<T> classType)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: ExtensionObjectMapperTest\n\nclass_fields: private LoadBalancer unMarshalledLb;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file extensions/rax/api/src/main/java/org/openstack/atlas/rax/api/mapper/dozer/converter/ExtensionObjectMapper.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public static <T> T getAnyElement(List<Object> anies, Class<T> classType) {\n for (Object any : anies) {\n LOG.debug(\"Class: \" + any.getClass());\n\n if (any instanceof Element) {\n Element element = (Element) any;\n try {\n JAXBContext jc = JAXBContext.newInstance(ObjectFactory.class.getPackage().getName());\n Unmarshaller unmarshaller = jc.createUnmarshaller();\n Object o = unmarshaller.unmarshal(element);\n if(classType.isInstance(o)) {\n return classType.cast(o);\n }\n } catch (JAXBException e) {\n e.printStackTrace();\n }\n }\n }\n \n return null;\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 extensions/rax/api/src/test/java/org/openstack/atlas/rax/api/mapper/dozer/converter/ExtensionObjectMapperTest.java\n </TESTFILE7041>\n @Test\n public void shouldUnmarshallAccessListFromAniesList() throws JAXBException, ParserConfigurationException, IOException, SAXException {\n AccessList accessList = ExtensionObjectMapper.getAnyElement(unMarshalledLb.getAnies(), AccessList.class);\n\n Assert.assertNotNull(accessList);\n Assert.assertEquals(\"1.1.1.1\", accessList.getNetworkItems().get(0).getAddress());\n Assert.assertEquals(IpVersion.IPV4, accessList.getNetworkItems().get(0).getIpVersion());\n Assert.assertEquals(NetworkItemType.DENY, accessList.getNetworkItems().get(0).getType());\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/threerings/tripleplay | java | core/src/main/java/tripleplay/ui/Styles.java | core/src/test/java/tripleplay/ui/StylesTest.java | public <V> Styles clear (Style.Mode mode, Style<V> style) {
int index = Arrays.binarySearch(_bindings, new Binding<V>(style));
if (index < 0) return this;
@SuppressWarnings("unchecked") Binding<V> binding = (Binding<V>)_bindings[index];
Binding<?>[] nbindings = new Binding<?>[_bindings.length];
System.arraycopy(_bindings, 0, nbindings, 0, nbindings.length);
nbindings[index] = binding.clear(mode);
return new Styles(nbindings);
} | clear | @Test public void testClear () {
Styles s = Styles.make(Style.COLOR.is(0xFFAABBCC),
Style.SHADOW.is(0xFF333333));
checkEquals(0xFFAABBCC, s, Style.COLOR);
checkEquals(0xFF333333, s, Style.SHADOW);
s = s.clear(Style.Mode.DEFAULT, Style.COLOR);
checkEquals(null, s, Style.COLOR);
} | testClear | [
"binarySearch",
"arraycopy",
"clear"
] | [
"make",
"is",
"is",
"checkEquals",
"checkEquals",
"clear",
"checkEquals"
] | {
"class_fields": "",
"class_name": "StylesTest"
} | {
"class_fields": "protected Binding<?>[] _bindings;\nprotected static final Styles _noneSingleton = new Styles(new Binding<?>[0]);",
"class_name": "Styles",
"method_signatures": "public static Styles none()\npublic static Styles make(Style.Binding<?>... bindings)\npublic static V resolveStyle(Element<?> element, Style<V> style)\npublic Styles add(Style.Binding<?>... bindings)\npublic Styles addDisabled(Style.Binding<?>... bindings)\npublic Styles addSelected(Style.Binding<?>... bindings)\npublic Styles addDisabledSelected(Style.Binding<?>... bindings)\npublic Styles add(Style.Mode mode, Style.Binding<?>... bindings)\npublic Styles clear(Style.Mode mode, Style<V> style)\npublic Styles merge(Styles styles)\n V get(Style<V> key, Element<?> elem)\nprivate Styles merge(Binding<?>[] obindings)\nprivate Styles(Binding<?>[] bindings)\nstatic Binding<V> newBinding(Style.Binding<V> binding, Style.Mode mode)"
} | [
{
"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/tripleplay/ui/Styles.java for which to generate the test case is:\nclass_name: Styles\n\nclass_fields: protected Binding<?>[] _bindings;\nprotected static final Styles _noneSingleton = new Styles(new Binding<?>[0]);\n\nmethod_signatures: public static Styles none()\npublic static Styles make(Style.Binding<?>... bindings)\npublic static V resolveStyle(Element<?> element, Style<V> style)\npublic Styles add(Style.Binding<?>... bindings)\npublic Styles addDisabled(Style.Binding<?>... bindings)\npublic Styles addSelected(Style.Binding<?>... bindings)\npublic Styles addDisabledSelected(Style.Binding<?>... bindings)\npublic Styles add(Style.Mode mode, Style.Binding<?>... bindings)\npublic Styles clear(Style.Mode mode, Style<V> style)\npublic Styles merge(Styles styles)\n V get(Style<V> key, Element<?> elem)\nprivate Styles merge(Binding<?>[] obindings)\nprivate Styles(Binding<?>[] bindings)\nstatic Binding<V> newBinding(Style.Binding<V> binding, Style.Mode mode)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: StylesTest\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/tripleplay/ui/Styles.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public <V> Styles clear (Style.Mode mode, Style<V> style) {\n int index = Arrays.binarySearch(_bindings, new Binding<V>(style));\n if (index < 0) return this;\n @SuppressWarnings(\"unchecked\") Binding<V> binding = (Binding<V>)_bindings[index];\n Binding<?>[] nbindings = new Binding<?>[_bindings.length];\n System.arraycopy(_bindings, 0, nbindings, 0, nbindings.length);\n nbindings[index] = binding.clear(mode);\n return new Styles(nbindings);\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/tripleplay/ui/StylesTest.java\n </TESTFILE7041>\n @Test public void testClear () {\n Styles s = Styles.make(Style.COLOR.is(0xFFAABBCC),\n Style.SHADOW.is(0xFF333333));\n checkEquals(0xFFAABBCC, s, Style.COLOR);\n checkEquals(0xFF333333, s, Style.SHADOW);\n\n s = s.clear(Style.Mode.DEFAULT, Style.COLOR);\n checkEquals(null, s, Style.COLOR);\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lorthos/incubator-zeppelin-druid | java | flink/src/main/java/org/apache/zeppelin/flink/FlinkInterpreter.java | flink/src/test/java/org/apache/zeppelin/flink/FlinkInterpreterTest.java | @Override
public InterpreterResult interpret(String line, InterpreterContext context) {
if (line == null || line.trim().length() == 0) {
return new InterpreterResult(Code.SUCCESS);
}
InterpreterResult result = interpret(line.split("\n"), context);
return result;
} | interpret | @Test
public void testWordCount() {
flink.interpret("val text = env.fromElements(\"To be or not to be\")", context);
flink.interpret("val counts = text.flatMap { _.toLowerCase.split(\" \") }.map { (_, 1) }.groupBy(0).sum(1)", context);
InterpreterResult result = flink.interpret("counts.print()", context);
assertEquals(Code.SUCCESS, result.code());
String[] expectedCounts = {"(to,2)", "(be,2)", "(or,1)", "(not,1)"};
Arrays.sort(expectedCounts);
String[] counts = result.message().split("\n");
Arrays.sort(counts);
assertArrayEquals(expectedCounts, counts);
} | testWordCount | [
"length",
"trim",
"interpret",
"split"
] | [
"interpret",
"interpret",
"interpret",
"assertEquals",
"code",
"sort",
"split",
"message",
"sort",
"assertArrayEquals"
] | {
"class_fields": "private static FlinkInterpreter flink;\nprivate static InterpreterContext context;",
"class_name": "FlinkInterpreterTest"
} | {
"class_fields": "Logger logger = LoggerFactory.getLogger(FlinkInterpreter.class);\nprivate ByteArrayOutputStream out;\nprivate Configuration flinkConf;\nprivate LocalFlinkMiniCluster localFlinkCluster;\nprivate FlinkILoop flinkIloop;\nprivate Map<String, Object> binder;\nprivate IMain imain;",
"class_name": "FlinkInterpreter extends Interpreter",
"method_signatures": "public FlinkInterpreter(Properties property)\n@Override public void open()\nprivate boolean localMode()\nprivate String getHost()\nprivate int getPort()\nprivate Settings createSettings()\nprivate List<File> currentClassPath()\nprivate List<File> classPath(ClassLoader cl)\npublic Object getValue(String name)\n@Override public void close()\n@Override public InterpreterResult interpret(String line, InterpreterContext context)\npublic InterpreterResult interpret(String[] lines, InterpreterContext context)\nprivate Code getResultCode(scala.tools.nsc.interpreter.Results.Result r)\n@Override public void cancel(InterpreterContext context)\n@Override public FormType getFormType()\n@Override public int getProgress(InterpreterContext context)\n@Override public List<String> completion(String buf, int cursor)\nprivate void startFlinkMiniCluster()\nprivate void stopFlinkMiniCluster()\nstatic final String toString(Object o)"
} | [
{
"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: flink/src/main/java/org/apache/zeppelin/flink/FlinkInterpreter.java for which to generate the test case is:\nclass_name: FlinkInterpreter extends Interpreter\n\nclass_fields: Logger logger = LoggerFactory.getLogger(FlinkInterpreter.class);\nprivate ByteArrayOutputStream out;\nprivate Configuration flinkConf;\nprivate LocalFlinkMiniCluster localFlinkCluster;\nprivate FlinkILoop flinkIloop;\nprivate Map<String, Object> binder;\nprivate IMain imain;\n\nmethod_signatures: public FlinkInterpreter(Properties property)\n@Override public void open()\nprivate boolean localMode()\nprivate String getHost()\nprivate int getPort()\nprivate Settings createSettings()\nprivate List<File> currentClassPath()\nprivate List<File> classPath(ClassLoader cl)\npublic Object getValue(String name)\n@Override public void close()\n@Override public InterpreterResult interpret(String line, InterpreterContext context)\npublic InterpreterResult interpret(String[] lines, InterpreterContext context)\nprivate Code getResultCode(scala.tools.nsc.interpreter.Results.Result r)\n@Override public void cancel(InterpreterContext context)\n@Override public FormType getFormType()\n@Override public int getProgress(InterpreterContext context)\n@Override public List<String> completion(String buf, int cursor)\nprivate void startFlinkMiniCluster()\nprivate void stopFlinkMiniCluster()\nstatic final String toString(Object o)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: FlinkInterpreterTest\n\nclass_fields: private static FlinkInterpreter flink;\nprivate static InterpreterContext context;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file flink/src/main/java/org/apache/zeppelin/flink/FlinkInterpreter.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public InterpreterResult interpret(String line, InterpreterContext context) {\n if (line == null || line.trim().length() == 0) {\n return new InterpreterResult(Code.SUCCESS);\n }\n\n InterpreterResult result = interpret(line.split(\"\\n\"), context);\n return result;\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 flink/src/test/java/org/apache/zeppelin/flink/FlinkInterpreterTest.java\n </TESTFILE7041>\n @Test\n public void testWordCount() {\n flink.interpret(\"val text = env.fromElements(\\\"To be or not to be\\\")\", context);\n flink.interpret(\"val counts = text.flatMap { _.toLowerCase.split(\\\" \\\") }.map { (_, 1) }.groupBy(0).sum(1)\", context);\n InterpreterResult result = flink.interpret(\"counts.print()\", context);\n assertEquals(Code.SUCCESS, result.code());\n\n String[] expectedCounts = {\"(to,2)\", \"(be,2)\", \"(or,1)\", \"(not,1)\"};\n Arrays.sort(expectedCounts);\n\n String[] counts = result.message().split(\"\\n\");\n Arrays.sort(counts);\n\n assertArrayEquals(expectedCounts, counts);\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/threerings/tripleplay | java | core/src/main/java/tripleplay/syncdb/SyncDB.java | core/src/test/java/tripleplay/syncdb/SyncDBTest.java | protected <K,V> RMap<K,V> map (final String prefix, final Codec<K> keyCodec,
final Codec<V> valCodec, final Resolver<? super V> resolver) {
class StorageMap extends AbstractMap<K,V> {
@Override public int size () {
return _keys.size();
}
@Override public boolean containsKey (Object key) {
return _keys.contains(key);
}
@Override public V get (Object rawKey) {
return valCodec.decode(_storage.getItem(skey(rawKey)), null);
}
@Override public V put (K key, V value) {
_keys.add(key);
String skey = skey(key);
String valstr = valCodec.encode(value);
String ovalstr = _storage.getItem(skey);
setItem(skey, valstr);
if (!valstr.equals(ovalstr)) noteModified(skey);
return valCodec.decode(ovalstr, null);
}
@Override public V remove (Object rawKey) {
String ovalue = _storage.getItem(skey(rawKey));
_keys.remove(rawKey); // this triggers a noteModified
return valCodec.decode(ovalue, null);
}
@Override public Set<K> keySet () {
return Collections.unmodifiableSet(_keys);
}
@Override public Set<Map.Entry<K,V>> entrySet () {
return new AbstractSet<Map.Entry<K,V>>() {
@Override public Iterator<Map.Entry<K,V>> iterator () {
return new Iterator<Map.Entry<K,V>>() {
public boolean hasNext () {
return _keysIter.hasNext();
}
public Map.Entry<K,V> next () {
final K key = _keysIter.next();
return new Map.Entry<K,V>() {
@Override public K getKey () { return key; }
@Override public V getValue () {
return StorageMap.this.get(key);
}
@Override public V setValue (V value) {
return StorageMap.this.put(key, value);
}
};
}
public void remove () {
_keysIter.remove();
}
protected Iterator<K> _keysIter = _keys.iterator();
};
}
@Override public int size () {
return _keys.size();
}
};
}
protected String skey (Object rawKey) {
@SuppressWarnings("unchecked") K key = (K)rawKey;
return DBUtil.mapKey(prefix, key, keyCodec);
}
protected final Set<K> _keys = new HashSet<K>(sget(mapKeysKey(prefix), keyCodec)) {
@Override public boolean add (K elem) {
// our super constructor will call add() with keys we loaded and passed to it;
// we don't want the addition of those keys to trigger a restore of the keyset
if (!_superctordone) return super.add(elem);
if (!super.add(elem)) return false;
sset(mapKeysKey(prefix), this, keyCodec);
return true;
}
@Override public boolean remove (Object elem) {
if (!super.remove(elem)) return false;
@SuppressWarnings("unchecked") K key = (K)elem;
removeStorage(key);
sset(mapKeysKey(prefix), this, keyCodec);
return true;
}
@Override public Iterator<K> iterator () {
final Iterator<K> iter = super.iterator();
return new Iterator<K>() {
@Override public boolean hasNext () { return iter.hasNext(); }
@Override public K next () { return _current = iter.next(); }
@Override public void remove () {
iter.remove();
removeStorage(_current);
}
protected K _current;
};
}
protected void removeStorage (K key) {
String skey = skey(key);
removeItem(skey);
noteModified(skey);
}
// we're taking advantage of object initialization order here; before our super
// constructor is finished running, this field will be false; then it will be
// initialized to true during our (synthetic) constructor; we use this value in
// add() to distinguish between the add() calls made by our super constructor and
// all subsequent add calls made once this map is live
protected boolean _superctordone = true;
};
}
final RMap<K,V> map = new RMap<K,V>(new StorageMap());
_props.put(prefix, new Property() {
public boolean merge (String name, String data) {
K skey = keyCodec.decode(name.substring(prefix.length()+1));
if (data == null) {
map.remove(skey);
return true;
}
V svalue = valCodec.decode(data), nvalue = resolver.resolve(map.get(skey), svalue);
map.put(skey, nvalue);
return nvalue.equals(svalue);
}
public void update (String name, String data) {
K skey = keyCodec.decode(name.substring(prefix.length()+1));
if (data == null) map.remove(skey);
else map.put(skey, valCodec.decode(data));
}
public void prepareToMeld () {
for (K key : map.keySet()) noteModified(DBUtil.mapKey(prefix, key, keyCodec));
}
});
// register a property for our keys set which is a NOOP, as updates to our values will
// automatically keep our keys in sync
_props.put(mapKeysKey(prefix), new Property() {
public boolean merge (String name, String data) { return true; } // noop
public void update (String name, String data) {} // noop
public void prepareToMeld () {} // noop
});
return map;
} | map | @Test public void testMap () {
Protocol.Session session = testSession();
TestDB one = new TestDB(), two = new TestDB();
// start with some synced changes
one.maxMap.put("one", 1);
one.maxMap.put("two", 2);
session.sync(one);
session.sync(two);
// now make conflicting changes to both client one and two and resync
one.maxMap.put("three", 3);
one.maxMap.put("four", 4);
one.maxMap.remove("one");
two.maxMap.put("four", 44);
session.sync(one); // this will go through no questions asked
session.sync(two); // this will sync one's changes into two and overwrite some of one's
// changes with the merged data from two
session.sync(one); // this will sync two's merged data back to one
one.assertEquals(two);
assertEquals(ImmutableMap.of("two", 2, "three", 3, "four", 44), two.maxMap);
// make sure we reread our data from storage properly
one.assertEquals(one.clone());
// make sure we have no lingering modifications
assertEquals(0, one.getMods().size());
assertEquals(0, two.getMods().size());
} | testMap | [
"size",
"contains",
"decode",
"getItem",
"skey",
"add",
"skey",
"encode",
"getItem",
"setItem",
"equals",
"noteModified",
"decode",
"getItem",
"skey",
"remove",
"decode",
"unmodifiableSet",
"hasNext",
"next",
"get",
"put",
"remove",
"iterator",
"size",
"mapKey",
"sget",
"mapKeysKey",
"add",
"add",
"sset",
"mapKeysKey",
"remove",
"removeStorage",
"sset",
"mapKeysKey",
"iterator",
"hasNext",
"next",
"remove",
"removeStorage",
"skey",
"removeItem",
"noteModified",
"put",
"decode",
"substring",
"length",
"remove",
"decode",
"resolve",
"get",
"put",
"equals",
"decode",
"substring",
"length",
"remove",
"put",
"decode",
"keySet",
"noteModified",
"mapKey",
"put",
"mapKeysKey"
] | [
"testSession",
"put",
"put",
"sync",
"sync",
"put",
"put",
"remove",
"put",
"sync",
"sync",
"sync",
"assertEquals",
"assertEquals",
"of",
"assertEquals",
"clone",
"assertEquals",
"size",
"getMods",
"assertEquals",
"size",
"getMods"
] | {
"class_fields": "",
"class_name": "SyncDBTest"
} | {
"class_fields": "protected final Platform _platform;\nprotected final Storage _storage;\nprotected Storage.Batch _batch;\nprotected final Map<String,Property> _props = new HashMap<String,Property>();\nprotected final Map<String,SubDB> _subdbs = new HashMap<String,SubDB>();\nprotected final Map<String,Integer> _mods = new HashMap<String,Integer>();\nprotected int _version;\nprotected boolean _flushQueued;\nprotected static final String SYNC_VERS_KEY = \"syncv\";\nprotected static final String SYNC_MODS_KEY = \"syncm\";\nprotected static final String SYNC_PURGE_KEY = \"syncp\";\nprotected static final Set<String> SYNC_KEYS = new HashSet<String>();",
"class_name": "SyncDB",
"method_signatures": "public int version()\npublic boolean hasUnsyncedChanges()\npublic Map<String,String> getDelta()\npublic Map<String,Integer> getMods()\npublic void noteSync(int version, Map<String,Integer> syncedMods)\npublic boolean containsMerges(Map<String,String> delta)\npublic void applyDelta(int version, Map<String,String> delta)\npublic void prepareToMeld()\npublic void processPurges()\nprotected SyncDB(Platform platform)\nprotected Value<T> value(final String name, final T defval, final Codec<T> codec,\n final Resolver<? super T> resolver)\nprotected RSet<E> set(final String name, final Codec<E> codec, final SetResolver resolver)\nprotected RMap<K,V> map(final String prefix, final Codec<K> keyCodec,\n final Codec<V> valCodec, final Resolver<? super V> resolver)\nprotected SubDB getSubDB(String prefix)\nprotected SubDB createSubDB(String prefix)\nprotected T get(String name, T defval, Codec<T> codec)\nprotected void set(String name, T value, Codec<T> codec)\nprotected void sset(String name, Set<E> set, Codec<E> codec)\nprotected Set<E> sget(String name, Codec<E> codec)\nprotected void updateVersion(int version)\nprotected void noteModified(String name)\nprotected void flushMods()\nprotected void queueFlushMods()\nprotected void startBatch()\nprotected void commitBatch()\nprotected void setItem(String key, String value)\nprotected void removeItem(String key)\nprotected void purgeDBs(Set<String> dbs)\nprotected static String mapKeysKey(String mapPrefix)"
} | [
{
"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/tripleplay/syncdb/SyncDB.java for which to generate the test case is:\nclass_name: SyncDB\n\nclass_fields: protected final Platform _platform;\nprotected final Storage _storage;\nprotected Storage.Batch _batch;\nprotected final Map<String,Property> _props = new HashMap<String,Property>();\nprotected final Map<String,SubDB> _subdbs = new HashMap<String,SubDB>();\nprotected final Map<String,Integer> _mods = new HashMap<String,Integer>();\nprotected int _version;\nprotected boolean _flushQueued;\nprotected static final String SYNC_VERS_KEY = \"syncv\";\nprotected static final String SYNC_MODS_KEY = \"syncm\";\nprotected static final String SYNC_PURGE_KEY = \"syncp\";\nprotected static final Set<String> SYNC_KEYS = new HashSet<String>();\n\nmethod_signatures: public int version()\npublic boolean hasUnsyncedChanges()\npublic Map<String,String> getDelta()\npublic Map<String,Integer> getMods()\npublic void noteSync(int version, Map<String,Integer> syncedMods)\npublic boolean containsMerges(Map<String,String> delta)\npublic void applyDelta(int version, Map<String,String> delta)\npublic void prepareToMeld()\npublic void processPurges()\nprotected SyncDB(Platform platform)\nprotected Value<T> value(final String name, final T defval, final Codec<T> codec,\n final Resolver<? super T> resolver)\nprotected RSet<E> set(final String name, final Codec<E> codec, final SetResolver resolver)\nprotected RMap<K,V> map(final String prefix, final Codec<K> keyCodec,\n final Codec<V> valCodec, final Resolver<? super V> resolver)\nprotected SubDB getSubDB(String prefix)\nprotected SubDB createSubDB(String prefix)\nprotected T get(String name, T defval, Codec<T> codec)\nprotected void set(String name, T value, Codec<T> codec)\nprotected void sset(String name, Set<E> set, Codec<E> codec)\nprotected Set<E> sget(String name, Codec<E> codec)\nprotected void updateVersion(int version)\nprotected void noteModified(String name)\nprotected void flushMods()\nprotected void queueFlushMods()\nprotected void startBatch()\nprotected void commitBatch()\nprotected void setItem(String key, String value)\nprotected void removeItem(String key)\nprotected void purgeDBs(Set<String> dbs)\nprotected static String mapKeysKey(String mapPrefix)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: SyncDBTest\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/tripleplay/syncdb/SyncDB.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n protected <K,V> RMap<K,V> map (final String prefix, final Codec<K> keyCodec,\n final Codec<V> valCodec, final Resolver<? super V> resolver) {\n class StorageMap extends AbstractMap<K,V> {\n @Override public int size () {\n return _keys.size();\n }\n\n @Override public boolean containsKey (Object key) {\n return _keys.contains(key);\n }\n @Override public V get (Object rawKey) {\n return valCodec.decode(_storage.getItem(skey(rawKey)), null);\n }\n\n @Override public V put (K key, V value) {\n _keys.add(key);\n String skey = skey(key);\n String valstr = valCodec.encode(value);\n String ovalstr = _storage.getItem(skey);\n setItem(skey, valstr);\n if (!valstr.equals(ovalstr)) noteModified(skey);\n return valCodec.decode(ovalstr, null);\n }\n @Override public V remove (Object rawKey) {\n String ovalue = _storage.getItem(skey(rawKey));\n _keys.remove(rawKey); // this triggers a noteModified\n return valCodec.decode(ovalue, null);\n }\n\n @Override public Set<K> keySet () {\n return Collections.unmodifiableSet(_keys);\n }\n @Override public Set<Map.Entry<K,V>> entrySet () {\n return new AbstractSet<Map.Entry<K,V>>() {\n @Override public Iterator<Map.Entry<K,V>> iterator () {\n return new Iterator<Map.Entry<K,V>>() {\n public boolean hasNext () {\n return _keysIter.hasNext();\n }\n public Map.Entry<K,V> next () {\n final K key = _keysIter.next();\n return new Map.Entry<K,V>() {\n @Override public K getKey () { return key; }\n @Override public V getValue () {\n return StorageMap.this.get(key);\n }\n @Override public V setValue (V value) {\n return StorageMap.this.put(key, value);\n }\n };\n }\n public void remove () {\n _keysIter.remove();\n }\n protected Iterator<K> _keysIter = _keys.iterator();\n };\n }\n @Override public int size () {\n return _keys.size();\n }\n };\n }\n\n protected String skey (Object rawKey) {\n @SuppressWarnings(\"unchecked\") K key = (K)rawKey;\n return DBUtil.mapKey(prefix, key, keyCodec);\n }\n\n protected final Set<K> _keys = new HashSet<K>(sget(mapKeysKey(prefix), keyCodec)) {\n @Override public boolean add (K elem) {\n // our super constructor will call add() with keys we loaded and passed to it;\n // we don't want the addition of those keys to trigger a restore of the keyset\n if (!_superctordone) return super.add(elem);\n if (!super.add(elem)) return false;\n sset(mapKeysKey(prefix), this, keyCodec);\n return true;\n }\n @Override public boolean remove (Object elem) {\n if (!super.remove(elem)) return false;\n @SuppressWarnings(\"unchecked\") K key = (K)elem;\n removeStorage(key);\n sset(mapKeysKey(prefix), this, keyCodec);\n return true;\n }\n @Override public Iterator<K> iterator () {\n final Iterator<K> iter = super.iterator();\n return new Iterator<K>() {\n @Override public boolean hasNext () { return iter.hasNext(); }\n @Override public K next () { return _current = iter.next(); }\n @Override public void remove () {\n iter.remove();\n removeStorage(_current);\n }\n protected K _current;\n };\n }\n protected void removeStorage (K key) {\n String skey = skey(key);\n removeItem(skey);\n noteModified(skey);\n }\n // we're taking advantage of object initialization order here; before our super\n // constructor is finished running, this field will be false; then it will be\n // initialized to true during our (synthetic) constructor; we use this value in\n // add() to distinguish between the add() calls made by our super constructor and\n // all subsequent add calls made once this map is live\n protected boolean _superctordone = true;\n };\n }\n\n final RMap<K,V> map = new RMap<K,V>(new StorageMap());\n _props.put(prefix, new Property() {\n public boolean merge (String name, String data) {\n K skey = keyCodec.decode(name.substring(prefix.length()+1));\n if (data == null) {\n map.remove(skey);\n return true;\n }\n V svalue = valCodec.decode(data), nvalue = resolver.resolve(map.get(skey), svalue);\n map.put(skey, nvalue);\n return nvalue.equals(svalue);\n }\n public void update (String name, String data) {\n K skey = keyCodec.decode(name.substring(prefix.length()+1));\n if (data == null) map.remove(skey);\n else map.put(skey, valCodec.decode(data));\n }\n public void prepareToMeld () {\n for (K key : map.keySet()) noteModified(DBUtil.mapKey(prefix, key, keyCodec));\n }\n });\n // register a property for our keys set which is a NOOP, as updates to our values will\n // automatically keep our keys in sync\n _props.put(mapKeysKey(prefix), new Property() {\n public boolean merge (String name, String data) { return true; } // noop\n public void update (String name, String data) {} // noop\n public void prepareToMeld () {} // noop\n });\n return map;\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/tripleplay/syncdb/SyncDBTest.java\n </TESTFILE7041>\n @Test public void testMap () {\n Protocol.Session session = testSession();\n TestDB one = new TestDB(), two = new TestDB();\n\n // start with some synced changes\n one.maxMap.put(\"one\", 1);\n one.maxMap.put(\"two\", 2);\n session.sync(one);\n session.sync(two);\n\n // now make conflicting changes to both client one and two and resync\n one.maxMap.put(\"three\", 3);\n one.maxMap.put(\"four\", 4);\n one.maxMap.remove(\"one\");\n two.maxMap.put(\"four\", 44);\n session.sync(one); // this will go through no questions asked\n session.sync(two); // this will sync one's changes into two and overwrite some of one's\n // changes with the merged data from two\n session.sync(one); // this will sync two's merged data back to one\n\n one.assertEquals(two);\n assertEquals(ImmutableMap.of(\"two\", 2, \"three\", 3, \"four\", 44), two.maxMap);\n\n // make sure we reread our data from storage properly\n one.assertEquals(one.clone());\n\n // make sure we have no lingering modifications\n assertEquals(0, one.getMods().size());\n assertEquals(0, two.getMods().size());\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/knowm/Datasets | java | datasets-numenta/src/main/java/org/knowm/datasets/numenta/NumentaDAO.java | datasets-numenta/src/test/java/org/knowm/datasets/numenta/TestNumentaDAO.java | public static List<String> selectSeriesNames() {
String SELECT_SERIES_NAMES_SQL = "SELECT DISTINCT seriesName FROM NUMENTA";
List<String> names = Yank.queryColumn(SELECT_SERIES_NAMES_SQL, "seriesName", String.class, null);
return names;
} | selectSeriesNames | @Test
public void testSeriesNames() {
List<String> names = NumentaDAO.selectSeriesNames();
for (String name : names) {
System.out.println(name);
}
assert (!names.isEmpty());
} | testSeriesNames | [
"queryColumn"
] | [
"selectSeriesNames",
"println",
"isEmpty"
] | {
"class_fields": "",
"class_name": "TestNumentaDAO"
} | {
"class_fields": "public static final Map<String, double[]> staticRange;",
"class_name": "NumentaDAO extends DatasetsDAO",
"method_signatures": "public static int createTable()\npublic static void dropTable()\npublic static void insertSeriesPoint(SeriesPoint point)\npublic static List<SeriesPoint> selectSeries(String series)\npublic static List<String> selectSeriesNames()\npublic static String selectGroupForSeries(String series)\npublic static double selectMax(String series)\npublic static double selectMin(String series)\npublic static List<SeriesPoint> selectAll()\npublic static Long selectCount(String series)"
} | [
{
"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: datasets-numenta/src/main/java/org/knowm/datasets/numenta/NumentaDAO.java for which to generate the test case is:\nclass_name: NumentaDAO extends DatasetsDAO\n\nclass_fields: public static final Map<String, double[]> staticRange;\n\nmethod_signatures: public static int createTable()\npublic static void dropTable()\npublic static void insertSeriesPoint(SeriesPoint point)\npublic static List<SeriesPoint> selectSeries(String series)\npublic static List<String> selectSeriesNames()\npublic static String selectGroupForSeries(String series)\npublic static double selectMax(String series)\npublic static double selectMin(String series)\npublic static List<SeriesPoint> selectAll()\npublic static Long selectCount(String series)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: TestNumentaDAO\n\nclass_fields: \n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file datasets-numenta/src/main/java/org/knowm/datasets/numenta/NumentaDAO.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public static List<String> selectSeriesNames() {\n\n String SELECT_SERIES_NAMES_SQL = \"SELECT DISTINCT seriesName FROM NUMENTA\";\n List<String> names = Yank.queryColumn(SELECT_SERIES_NAMES_SQL, \"seriesName\", String.class, null);\n return names;\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 datasets-numenta/src/test/java/org/knowm/datasets/numenta/TestNumentaDAO.java\n </TESTFILE7041>\n @Test\n public void testSeriesNames() {\n\n List<String> names = NumentaDAO.selectSeriesNames();\n for (String name : names) {\n System.out.println(name);\n }\n assert (!names.isEmpty());\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lmco/eurekastreams | java | server/src/main/java/org/eurekastreams/server/persistence/mappers/InsertBulkMapper.java | server/src/test/java/org/eurekastreams/server/persistence/mappers/InsertBulkMapperTest.java | public Boolean execute(final PersistenceListRequest inRequest)
{
List entities = inRequest.getDomainEnities();
Session session = getHibernateSession();
for (int i = 0; i < entities.size(); i++)
{
session.save(entities.get(i));
if (i % BULKNUM == 0)
{
session.flush();
session.clear();
}
}
getEntityManager().getTransaction().commit();
session.close();
return true;
} | execute | @SuppressWarnings("unchecked")
@Test
public void testExecute()
{
final EntityManager entityManager = context.mock(EntityManager.class);
final PersistenceListRequest req = context.mock(PersistenceListRequest.class);
final Session session = context.mock(Session.class);
final EntityTransaction transaction = context.mock(EntityTransaction.class);
final List<Activity> activities = new LinkedList<Activity>();
for (int i = 0; i < NUMOFACTIVITY; i++)
{
activities.add(context.mock(Activity.class, "a" + String.valueOf(i)));
}
InsertBulkMapper sut = new InsertBulkMapper();
sut.setEntityManager(entityManager);
context.checking(new Expectations()
{
{
oneOf(req).getDomainEnities();
will(returnValue(activities));
oneOf(entityManager).getDelegate();
will(returnValue(session));
exactly(NUMOFACTIVITY).of(session).save(with(any(Activity.class)));
exactly(5).of(session).flush();
exactly(5).of(session).clear();
oneOf(entityManager).getTransaction();
will(returnValue(transaction));
oneOf(transaction).commit();
oneOf(session).close();
}
});
assertTrue(sut.execute(req));
context.assertIsSatisfied();
} | testExecute | [
"getDomainEnities",
"getHibernateSession",
"size",
"save",
"get",
"flush",
"clear",
"commit",
"getTransaction",
"getEntityManager",
"close"
] | [
"mock",
"mock",
"mock",
"mock",
"add",
"mock",
"valueOf",
"setEntityManager",
"checking",
"getDomainEnities",
"oneOf",
"will",
"returnValue",
"getDelegate",
"oneOf",
"will",
"returnValue",
"save",
"of",
"exactly",
"with",
"any",
"flush",
"of",
"exactly",
"clear",
"of",
"exactly",
"getTransaction",
"oneOf",
"will",
"returnValue",
"commit",
"oneOf",
"close",
"oneOf",
"assertTrue",
"execute",
"assertIsSatisfied"
] | {
"class_fields": "private static final int NUMOFACTIVITY = 100;\nprivate final Mockery context = new JUnit4Mockery()\n {\n {\n setImposteriser(ClassImposteriser.INSTANCE);\n }\n };",
"class_name": "InsertBulkMapperTest"
} | {
"class_fields": "private static final int BULKNUM = 20;",
"class_name": "InsertBulkMapper extends\n BaseArgDomainMapper<PersistenceListRequest, Boolean>",
"method_signatures": "public Boolean execute(final PersistenceListRequest inRequest)"
} | [
{
"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: server/src/main/java/org/eurekastreams/server/persistence/mappers/InsertBulkMapper.java for which to generate the test case is:\nclass_name: InsertBulkMapper extends\n BaseArgDomainMapper<PersistenceListRequest, Boolean>\n\nclass_fields: private static final int BULKNUM = 20;\n\nmethod_signatures: public Boolean execute(final PersistenceListRequest inRequest)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: InsertBulkMapperTest\n\nclass_fields: private static final int NUMOFACTIVITY = 100;\nprivate final Mockery context = new JUnit4Mockery()\n {\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 server/src/main/java/org/eurekastreams/server/persistence/mappers/InsertBulkMapper.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public Boolean execute(final PersistenceListRequest inRequest)\n {\n List entities = inRequest.getDomainEnities();\n Session session = getHibernateSession();\n\n for (int i = 0; i < entities.size(); i++)\n {\n session.save(entities.get(i));\n if (i % BULKNUM == 0)\n {\n session.flush();\n session.clear();\n }\n }\n\n getEntityManager().getTransaction().commit();\n session.close();\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 server/src/test/java/org/eurekastreams/server/persistence/mappers/InsertBulkMapperTest.java\n </TESTFILE7041>\n @SuppressWarnings(\"unchecked\")\n @Test\n public void testExecute()\n {\n final EntityManager entityManager = context.mock(EntityManager.class);\n final PersistenceListRequest req = context.mock(PersistenceListRequest.class);\n final Session session = context.mock(Session.class);\n final EntityTransaction transaction = context.mock(EntityTransaction.class);\n\n final List<Activity> activities = new LinkedList<Activity>();\n\n for (int i = 0; i < NUMOFACTIVITY; i++)\n {\n activities.add(context.mock(Activity.class, \"a\" + String.valueOf(i)));\n }\n\n InsertBulkMapper sut = new InsertBulkMapper();\n sut.setEntityManager(entityManager);\n\n context.checking(new Expectations()\n {\n {\n oneOf(req).getDomainEnities();\n will(returnValue(activities));\n\n oneOf(entityManager).getDelegate();\n will(returnValue(session));\n\n exactly(NUMOFACTIVITY).of(session).save(with(any(Activity.class)));\n exactly(5).of(session).flush();\n exactly(5).of(session).clear();\n\n oneOf(entityManager).getTransaction();\n will(returnValue(transaction));\n\n oneOf(transaction).commit();\n oneOf(session).close();\n\n }\n });\n\n assertTrue(sut.execute(req));\n context.assertIsSatisfied();\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lmco/eurekastreams | java | server/src/main/java/org/eurekastreams/server/persistence/mappers/db/HashTagDbRefreshStrategy.java | server/src/test/java/org/eurekastreams/server/persistence/mappers/db/HashTagDbRefreshStrategyTest.java | @Override
public void refresh(final List<String> inContents, final List<HashTag> inHashTags)
{
// scrub the inputs
List<String> contents = new ArrayList<String>();
for (String content : inContents)
{
if (!content.startsWith("#"))
{
content = "#" + content.toLowerCase();
}
else
{
content = content.toLowerCase();
}
contents.add(content);
}
// get all of the existing hashtag contents
List<HashTag> foundHashTags = getEntityManager().createQuery("FROM HashTag WHERE content IN (:contents)")
.setParameter("contents", contents).getResultList();
inHashTags.clear();
inHashTags.addAll(foundHashTags);
for (String content : inContents)
{
if (isHashTagInCollection(content, foundHashTags))
{
if (log.isTraceEnabled())
{
log.trace("HashTag " + content + " already exists - skipping.");
}
continue;
}
if (log.isTraceEnabled())
{
log.trace("Inserting hashtag " + content + " in the database.");
}
// INSERT the hastag
HashTag ht = new HashTag(content);
getEntityManager().persist(ht);
inHashTags.add(ht);
}
} | refresh | @Test
public void testRefreshWhenHashDoesntExist()
{
HashTagDbRefreshStrategy sut = new HashTagDbRefreshStrategy();
sut.setEntityManager(getEntityManager());
List<String> existingHashTagContents = new ArrayList<String>();
existingHashTagContents.add("potato");
existingHashTagContents.add("#rice");
List<HashTag> existingHashTags = new ArrayList<HashTag>();
existingHashTags.add(new HashTag("potato"));
existingHashTags.add(new HashTag("#rice"));
sut.refresh(existingHashTagContents, existingHashTags);
// make sure all of the hashtags were replaced with database entities
assertAllHashTagsHaveIds(existingHashTags);
assertEquals(7, getEntityManager().createQuery("FROM HashTag").getResultList().size());
assertEquals(2, getEntityManager().createQuery("FROM HashTag WHERE content IN ('#potato', '#rice')")
.getResultList().size());
} | testRefreshWhenHashDoesntExist | [
"startsWith",
"toLowerCase",
"toLowerCase",
"add",
"getResultList",
"setParameter",
"createQuery",
"getEntityManager",
"clear",
"addAll",
"isHashTagInCollection",
"isTraceEnabled",
"trace",
"isTraceEnabled",
"trace",
"persist",
"getEntityManager",
"add"
] | [
"setEntityManager",
"getEntityManager",
"add",
"add",
"add",
"add",
"refresh",
"assertAllHashTagsHaveIds",
"assertEquals",
"size",
"getResultList",
"createQuery",
"getEntityManager",
"assertEquals",
"size",
"getResultList",
"createQuery",
"getEntityManager"
] | {
"class_fields": "",
"class_name": "HashTagDbRefreshStrategyTest extends MapperTest"
} | {
"class_fields": "private final Log log = LogFactory.make();",
"class_name": "HashTagDbRefreshStrategy extends BaseDomainMapper implements RefreshStrategy<List<String>, List<HashTag>>",
"method_signatures": "@Override public void refresh(final List<String> inContents, final List<HashTag> inHashTags)\nprivate boolean isHashTagInCollection(final String inContent, final Collection<HashTag> hashTags)"
} | [
{
"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: server/src/main/java/org/eurekastreams/server/persistence/mappers/db/HashTagDbRefreshStrategy.java for which to generate the test case is:\nclass_name: HashTagDbRefreshStrategy extends BaseDomainMapper implements RefreshStrategy<List<String>, List<HashTag>>\n\nclass_fields: private final Log log = LogFactory.make();\n\nmethod_signatures: @Override public void refresh(final List<String> inContents, final List<HashTag> inHashTags)\nprivate boolean isHashTagInCollection(final String inContent, final Collection<HashTag> hashTags)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: HashTagDbRefreshStrategyTest extends MapperTest\n\nclass_fields: \n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file server/src/main/java/org/eurekastreams/server/persistence/mappers/db/HashTagDbRefreshStrategy.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public void refresh(final List<String> inContents, final List<HashTag> inHashTags)\n {\n // scrub the inputs\n List<String> contents = new ArrayList<String>();\n for (String content : inContents)\n {\n if (!content.startsWith(\"#\"))\n {\n content = \"#\" + content.toLowerCase();\n }\n else\n {\n content = content.toLowerCase();\n }\n contents.add(content);\n }\n\n // get all of the existing hashtag contents\n List<HashTag> foundHashTags = getEntityManager().createQuery(\"FROM HashTag WHERE content IN (:contents)\")\n .setParameter(\"contents\", contents).getResultList();\n\n inHashTags.clear();\n inHashTags.addAll(foundHashTags);\n\n for (String content : inContents)\n {\n if (isHashTagInCollection(content, foundHashTags))\n {\n if (log.isTraceEnabled())\n {\n log.trace(\"HashTag \" + content + \" already exists - skipping.\");\n }\n continue;\n }\n if (log.isTraceEnabled())\n {\n log.trace(\"Inserting hashtag \" + content + \" in the database.\");\n }\n\n // INSERT the hastag\n HashTag ht = new HashTag(content);\n getEntityManager().persist(ht);\n inHashTags.add(ht);\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 server/src/test/java/org/eurekastreams/server/persistence/mappers/db/HashTagDbRefreshStrategyTest.java\n </TESTFILE7041>\n @Test\n public void testRefreshWhenHashDoesntExist()\n {\n HashTagDbRefreshStrategy sut = new HashTagDbRefreshStrategy();\n sut.setEntityManager(getEntityManager());\n\n List<String> existingHashTagContents = new ArrayList<String>();\n existingHashTagContents.add(\"potato\");\n existingHashTagContents.add(\"#rice\");\n\n List<HashTag> existingHashTags = new ArrayList<HashTag>();\n existingHashTags.add(new HashTag(\"potato\"));\n existingHashTags.add(new HashTag(\"#rice\"));\n\n sut.refresh(existingHashTagContents, existingHashTags);\n\n // make sure all of the hashtags were replaced with database entities\n assertAllHashTagsHaveIds(existingHashTags);\n\n assertEquals(7, getEntityManager().createQuery(\"FROM HashTag\").getResultList().size());\n\n assertEquals(2, getEntityManager().createQuery(\"FROM HashTag WHERE content IN ('#potato', '#rice')\")\n .getResultList().size());\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lmco/eurekastreams | java | server/src/main/java/org/eurekastreams/server/persistence/PersonMapper.java | server/src/test/java/org/eurekastreams/server/persistence/PersonMapperTest.java | @SuppressWarnings("unchecked")
public List<Person> findPeopleByPrefix(final String prefix)
{
String[] prefixes = prefix.split(", ");
String lastName = prefixes[0];
String firstName = "";
if (prefixes.length > 1)
{
firstName = prefixes[1];
}
Query q = getEntityManager().createQuery(
"From Person where lower(lastName) LIKE :lprefix and lower(displayName) LIKE :fprefix "
+ "ORDER BY lastName, firstName, middleName").setParameter("lprefix",
lastName.toLowerCase() + "%").setParameter("fprefix", firstName.toLowerCase() + "%");
return q.getResultList();
} | findPeopleByPrefix | @Test
public void testFindByLastNamePrefixWithFirstNameNoSpace()
{
List<Person> people = jpaPersonMapper.findPeopleByPrefix("Perfect,Ford");
assertTrue("Returned list should be empty", people.size() == 0);
} | testFindByLastNamePrefixWithFirstNameNoSpace | [
"split",
"setParameter",
"setParameter",
"createQuery",
"getEntityManager",
"toLowerCase",
"toLowerCase",
"getResultList"
] | [
"findPeopleByPrefix",
"assertTrue",
"size"
] | {
"class_fields": "private final Mockery context = new JUnit4Mockery()\n {\n {\n setImposteriser(ClassImposteriser.INSTANCE);\n }\n };\n@Autowired\n private PersonMapper jpaPersonMapper;\n@Autowired\n private TabGroupMapper jpaTabGroupMapper;\nprivate final int fordPersonId = 42;\nprivate final int mrburnsPersonId = 99;\nprivate final Cache memcached = context.mock(Cache.class);",
"class_name": "PersonMapperTest extends DomainEntityMapperTest"
} | {
"class_fields": "private static Log logger = LogFactory.getLog(PersonMapper.class);",
"class_name": "PersonMapper extends DomainEntityMapper<Person> implements FollowMapper",
"method_signatures": "public PersonMapper(final QueryOptimizer inQueryOptimizer)\n@Override protected String getDomainEntityName()\n@SuppressWarnings(\"unchecked\") public Person findByAccountId(final String accountId)\n@SuppressWarnings(\"unchecked\") public Person findByOpenSocialId(final String openSocialId)\npublic void addFollower(final long followerId, final long followingId)\npublic void removeFollower(final long followerId, final long followingId)\npublic PagedSet<Person> getFollowers(final String accountId, final int start, final int end)\npublic PagedSet<Followable> getFollowing(final String accountId, final int start, final int end)\nprivate PagedSet<V> getConnectionsMinusSelf(final String accountId, final int start, final int end,\n final String which)\n@SuppressWarnings(\"unchecked\") public boolean isFollowing(final String followerAccountId, final String followingAccountId)\n@SuppressWarnings(\"unchecked\") public List<Person> findPeopleByPrefix(final String prefix)\n@SuppressWarnings(\"unchecked\") public List<Person> findPeopleByOpenSocialIds(final List<String> openSocialIds)\n@SuppressWarnings(\"unchecked\") public List<Person> findPeopleFollowedUsingFollowerOpenSocialIds(final List<String> openSocialIds)"
} | [
{
"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: server/src/main/java/org/eurekastreams/server/persistence/PersonMapper.java for which to generate the test case is:\nclass_name: PersonMapper extends DomainEntityMapper<Person> implements FollowMapper\n\nclass_fields: private static Log logger = LogFactory.getLog(PersonMapper.class);\n\nmethod_signatures: public PersonMapper(final QueryOptimizer inQueryOptimizer)\n@Override protected String getDomainEntityName()\n@SuppressWarnings(\"unchecked\") public Person findByAccountId(final String accountId)\n@SuppressWarnings(\"unchecked\") public Person findByOpenSocialId(final String openSocialId)\npublic void addFollower(final long followerId, final long followingId)\npublic void removeFollower(final long followerId, final long followingId)\npublic PagedSet<Person> getFollowers(final String accountId, final int start, final int end)\npublic PagedSet<Followable> getFollowing(final String accountId, final int start, final int end)\nprivate PagedSet<V> getConnectionsMinusSelf(final String accountId, final int start, final int end,\n final String which)\n@SuppressWarnings(\"unchecked\") public boolean isFollowing(final String followerAccountId, final String followingAccountId)\n@SuppressWarnings(\"unchecked\") public List<Person> findPeopleByPrefix(final String prefix)\n@SuppressWarnings(\"unchecked\") public List<Person> findPeopleByOpenSocialIds(final List<String> openSocialIds)\n@SuppressWarnings(\"unchecked\") public List<Person> findPeopleFollowedUsingFollowerOpenSocialIds(final List<String> openSocialIds)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: PersonMapperTest extends DomainEntityMapperTest\n\nclass_fields: private final Mockery context = new JUnit4Mockery()\n {\n {\n setImposteriser(ClassImposteriser.INSTANCE);\n }\n };\n@Autowired\n private PersonMapper jpaPersonMapper;\n@Autowired\n private TabGroupMapper jpaTabGroupMapper;\nprivate final int fordPersonId = 42;\nprivate final int mrburnsPersonId = 99;\nprivate final Cache memcached = context.mock(Cache.class);\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file server/src/main/java/org/eurekastreams/server/persistence/PersonMapper.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @SuppressWarnings(\"unchecked\")\n public List<Person> findPeopleByPrefix(final String prefix)\n {\n String[] prefixes = prefix.split(\", \");\n\n String lastName = prefixes[0];\n String firstName = \"\";\n\n if (prefixes.length > 1)\n {\n firstName = prefixes[1];\n }\n\n Query q = getEntityManager().createQuery(\n \"From Person where lower(lastName) LIKE :lprefix and lower(displayName) LIKE :fprefix \"\n + \"ORDER BY lastName, firstName, middleName\").setParameter(\"lprefix\",\n lastName.toLowerCase() + \"%\").setParameter(\"fprefix\", firstName.toLowerCase() + \"%\");\n\n return q.getResultList();\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 server/src/test/java/org/eurekastreams/server/persistence/PersonMapperTest.java\n </TESTFILE7041>\n @Test\n public void testFindByLastNamePrefixWithFirstNameNoSpace()\n {\n List<Person> people = jpaPersonMapper.findPeopleByPrefix(\"Perfect,Ford\");\n assertTrue(\"Returned list should be empty\", people.size() == 0);\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lmco/eurekastreams | java | server/src/main/java/org/eurekastreams/commons/search/ProjectionSearchRequestBuilder.java | server/src/test/java/org/eurekastreams/commons/search/ProjectionSearchRequestBuilderTest.java | protected org.hibernate.search.jpa.FullTextQuery prepareQuery(final QueryParser inQueryParser,
final String nativeSearchString)
{
Query luceneQuery;
try
{
luceneQuery = inQueryParser.parse(nativeSearchString);
}
catch (ParseException e)
{
String message = "Unable to parse query: '" + nativeSearchString + "'";
log.error(message);
throw new RuntimeException(message);
}
if (log.isInfoEnabled())
{
log.info("Lucene query: " + nativeSearchString);
log.info("Lucene query parsed as: " + luceneQuery.toString());
log.info("Querying for objects of type: " + getEntityNames());
}
// get the FullTextQuery
FullTextEntityManager ftem = getFullTextEntityManager();
// wrap the FullTextQuery so we have more control over the control flow
ProjectionFullTextQuery projectionFullTextQuery = new ProjectionFullTextQuery(ftem.createFullTextQuery(
luceneQuery, resultTypes));
// set the result format to projection
List<String> parameters = buildFieldList();
projectionFullTextQuery.setProjection(parameters.toArray(new String[parameters.size()]));
// set the transformer
projectionFullTextQuery.setResultTransformer(resultTransformer);
return projectionFullTextQuery;
} | prepareQuery | @Test(expected = RuntimeException.class)
public void testPrepareQueryWithParseError() throws ParseException
{
ProjectionSearchRequestBuilderTestHelper sutSubclass = new ProjectionSearchRequestBuilderTestHelper();
final QueryParser queryParser = context.mock(QueryParser.class, "mockedQueryParser");
final String searchText = "foo now hey bar";
context.checking(new Expectations()
{
{
one(queryParser).parse(searchText);
will(throwException(new ParseException()));
}
});
// invoke sut
sutSubclass.prepareQuery(queryParser, searchText);
// all expectations met?
context.assertIsSatisfied();
} | testPrepareQueryWithParseError | [
"parse",
"error",
"isInfoEnabled",
"info",
"info",
"toString",
"info",
"getEntityNames",
"getFullTextEntityManager",
"createFullTextQuery",
"buildFieldList",
"setProjection",
"toArray",
"size",
"setResultTransformer"
] | [
"mock",
"checking",
"parse",
"one",
"will",
"throwException",
"prepareQuery",
"assertIsSatisfied"
] | {
"class_fields": "private final JUnit4Mockery context = new JUnit4Mockery()\n {\n {\n setImposteriser(ClassImposteriser.INSTANCE);\n }\n };",
"class_name": "ProjectionSearchRequestBuilderTest"
} | {
"class_fields": "private Log log = LogFactory.getLog(ProjectionSearchRequestBuilder.class);\nprivate String entityNames;\nprivate EntityManager entityManager;\nprivate Class< ? >[] resultTypes;\nprivate String searchStringFormat;\nprivate ResultTransformer resultTransformer;\nprivate QueryParserBuilder queryParserBuilder;\nprivate QueryParserBuilder advancedQueryParserBuilder;\nprivate List<String> resultFields;",
"class_name": "ProjectionSearchRequestBuilder",
"method_signatures": "@PersistenceContext public void setEntityManager(final EntityManager newEntityManager)\npublic ProjectionSearchRequestBuilder()\npublic org.hibernate.search.jpa.FullTextQuery buildQueryFromNativeSearchString(final String nativeSearchString)\npublic org.hibernate.search.jpa.FullTextQuery buildQueryFromSearchText(final String searchText)\npublic org.hibernate.search.jpa.FullTextQuery buildQueryFromSearchText(final String searchText,\n final String constraints)\nprotected org.hibernate.search.jpa.FullTextQuery prepareQuery(final QueryParser inQueryParser,\n final String nativeSearchString)\npublic org.hibernate.search.jpa.FullTextQuery setPaging(final org.hibernate.search.jpa.FullTextQuery query,\n final int from, final int to)\nprotected FullTextEntityManager getFullTextEntityManager()\nprotected List<String> buildFieldList()\nprotected boolean containsAdvancedSearchCharacters(final String searchText)\npublic String escapeAllButWildcardCharacters(final String s)\nprivate boolean isWhitespaceChar(final char c)\npublic String escape(final String s)\npublic void setResultTypes(final Class< ? >[] theResultTypes)\npublic void setSearchStringFormat(final String theSearchStringFormat)\npublic void setResultTransformer(final ResultTransformer theResultTransformer)\npublic void setQueryParserBuilder(final QueryParserBuilder inQueryParserBuilder)\npublic void setResultFields(final List<String> theResultFields)\npublic void setAdvancedQueryParserBuilder(final QueryParserBuilder inAdvancedQueryParserBuilder)\npublic String getEntityNames()"
} | [
{
"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: server/src/main/java/org/eurekastreams/commons/search/ProjectionSearchRequestBuilder.java for which to generate the test case is:\nclass_name: ProjectionSearchRequestBuilder\n\nclass_fields: private Log log = LogFactory.getLog(ProjectionSearchRequestBuilder.class);\nprivate String entityNames;\nprivate EntityManager entityManager;\nprivate Class< ? >[] resultTypes;\nprivate String searchStringFormat;\nprivate ResultTransformer resultTransformer;\nprivate QueryParserBuilder queryParserBuilder;\nprivate QueryParserBuilder advancedQueryParserBuilder;\nprivate List<String> resultFields;\n\nmethod_signatures: @PersistenceContext public void setEntityManager(final EntityManager newEntityManager)\npublic ProjectionSearchRequestBuilder()\npublic org.hibernate.search.jpa.FullTextQuery buildQueryFromNativeSearchString(final String nativeSearchString)\npublic org.hibernate.search.jpa.FullTextQuery buildQueryFromSearchText(final String searchText)\npublic org.hibernate.search.jpa.FullTextQuery buildQueryFromSearchText(final String searchText,\n final String constraints)\nprotected org.hibernate.search.jpa.FullTextQuery prepareQuery(final QueryParser inQueryParser,\n final String nativeSearchString)\npublic org.hibernate.search.jpa.FullTextQuery setPaging(final org.hibernate.search.jpa.FullTextQuery query,\n final int from, final int to)\nprotected FullTextEntityManager getFullTextEntityManager()\nprotected List<String> buildFieldList()\nprotected boolean containsAdvancedSearchCharacters(final String searchText)\npublic String escapeAllButWildcardCharacters(final String s)\nprivate boolean isWhitespaceChar(final char c)\npublic String escape(final String s)\npublic void setResultTypes(final Class< ? >[] theResultTypes)\npublic void setSearchStringFormat(final String theSearchStringFormat)\npublic void setResultTransformer(final ResultTransformer theResultTransformer)\npublic void setQueryParserBuilder(final QueryParserBuilder inQueryParserBuilder)\npublic void setResultFields(final List<String> theResultFields)\npublic void setAdvancedQueryParserBuilder(final QueryParserBuilder inAdvancedQueryParserBuilder)\npublic String getEntityNames()\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: ProjectionSearchRequestBuilderTest\n\nclass_fields: private final JUnit4Mockery context = new JUnit4Mockery()\n {\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 server/src/main/java/org/eurekastreams/commons/search/ProjectionSearchRequestBuilder.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n protected org.hibernate.search.jpa.FullTextQuery prepareQuery(final QueryParser inQueryParser,\n final String nativeSearchString)\n {\n Query luceneQuery;\n try\n {\n luceneQuery = inQueryParser.parse(nativeSearchString);\n }\n catch (ParseException e)\n {\n String message = \"Unable to parse query: '\" + nativeSearchString + \"'\";\n log.error(message);\n throw new RuntimeException(message);\n }\n\n if (log.isInfoEnabled())\n {\n log.info(\"Lucene query: \" + nativeSearchString);\n log.info(\"Lucene query parsed as: \" + luceneQuery.toString());\n log.info(\"Querying for objects of type: \" + getEntityNames());\n }\n\n // get the FullTextQuery\n FullTextEntityManager ftem = getFullTextEntityManager();\n\n // wrap the FullTextQuery so we have more control over the control flow\n ProjectionFullTextQuery projectionFullTextQuery = new ProjectionFullTextQuery(ftem.createFullTextQuery(\n luceneQuery, resultTypes));\n\n // set the result format to projection\n List<String> parameters = buildFieldList();\n projectionFullTextQuery.setProjection(parameters.toArray(new String[parameters.size()]));\n\n // set the transformer\n projectionFullTextQuery.setResultTransformer(resultTransformer);\n\n return projectionFullTextQuery;\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 server/src/test/java/org/eurekastreams/commons/search/ProjectionSearchRequestBuilderTest.java\n </TESTFILE7041>\n @Test(expected = RuntimeException.class)\n public void testPrepareQueryWithParseError() throws ParseException\n {\n ProjectionSearchRequestBuilderTestHelper sutSubclass = new ProjectionSearchRequestBuilderTestHelper();\n\n final QueryParser queryParser = context.mock(QueryParser.class, \"mockedQueryParser\");\n final String searchText = \"foo now hey bar\";\n\n context.checking(new Expectations()\n {\n {\n one(queryParser).parse(searchText);\n will(throwException(new ParseException()));\n }\n });\n\n // invoke sut\n sutSubclass.prepareQuery(queryParser, searchText);\n\n // all expectations met?\n context.assertIsSatisfied();\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lorthos/incubator-zeppelin-druid | java | spark/src/main/java/org/apache/zeppelin/spark/SparkSqlInterpreter.java | spark/src/test/java/org/apache/zeppelin/spark/SparkSqlInterpreterTest.java | @Override
public InterpreterResult interpret(String st, InterpreterContext context) {
SQLContext sqlc = null;
SparkInterpreter sparkInterpreter = getSparkInterpreter();
if (sparkInterpreter.getSparkVersion().isUnsupportedVersion()) {
return new InterpreterResult(Code.ERROR, "Spark "
+ sparkInterpreter.getSparkVersion().toString() + " is not supported");
}
sqlc = getSparkInterpreter().getSQLContext();
SparkContext sc = sqlc.sparkContext();
if (concurrentSQL()) {
sc.setLocalProperty("spark.scheduler.pool", "fair");
} else {
sc.setLocalProperty("spark.scheduler.pool", null);
}
sc.setJobGroup(getJobGroup(context), "Zeppelin", false);
Object rdd = null;
try {
// method signature of sqlc.sql() is changed
// from def sql(sqlText: String): SchemaRDD (1.2 and prior)
// to def sql(sqlText: String): DataFrame (1.3 and later).
// Therefore need to use reflection to keep binary compatibility for all spark versions.
Method sqlMethod = sqlc.getClass().getMethod("sql", String.class);
rdd = sqlMethod.invoke(sqlc, st);
} catch (NoSuchMethodException | SecurityException | IllegalAccessException
| IllegalArgumentException | InvocationTargetException e) {
throw new InterpreterException(e);
}
String msg = ZeppelinContext.showDF(sc, context, rdd, maxResult);
sc.clearJobGroup();
return new InterpreterResult(Code.SUCCESS, msg);
} | interpret | @Test
public void test() {
repl.interpret("case class Test(name:String, age:Int)", context);
repl.interpret("val test = sc.parallelize(Seq(Test(\"moon\", 33), Test(\"jobs\", 51), Test(\"gates\", 51), Test(\"park\", 34)))", context);
if (isDataFrameSupported()) {
repl.interpret("test.toDF.registerTempTable(\"test\")", context);
} else {
repl.interpret("test.registerTempTable(\"test\")", context);
}
InterpreterResult ret = sql.interpret("select name, age from test where age < 40", context);
assertEquals(InterpreterResult.Code.SUCCESS, ret.code());
assertEquals(Type.TABLE, ret.type());
assertEquals("name\tage\nmoon\t33\npark\t34\n", ret.message());
try {
sql.interpret("select wrong syntax", context);
fail("Exception not catched");
} catch (Exception e) {
// okay
}
assertEquals(InterpreterResult.Code.SUCCESS, sql.interpret("select case when name==\"aa\" then name else name end from test", context).code());
} | test | [
"getSparkInterpreter",
"isUnsupportedVersion",
"getSparkVersion",
"toString",
"getSparkVersion",
"getSQLContext",
"getSparkInterpreter",
"sparkContext",
"concurrentSQL",
"setLocalProperty",
"setLocalProperty",
"setJobGroup",
"getJobGroup",
"getMethod",
"getClass",
"invoke",
"showDF",
"clearJobGroup"
] | [
"interpret",
"interpret",
"isDataFrameSupported",
"interpret",
"interpret",
"interpret",
"assertEquals",
"code",
"assertEquals",
"type",
"assertEquals",
"message",
"interpret",
"fail",
"assertEquals",
"code",
"interpret"
] | {
"class_fields": "private SparkSqlInterpreter sql;\nprivate SparkInterpreter repl;\nprivate InterpreterContext context;\nprivate InterpreterGroup intpGroup;",
"class_name": "SparkSqlInterpreterTest"
} | {
"class_fields": "Logger logger = LoggerFactory.getLogger(SparkSqlInterpreter.class);\nAtomicInteger num = new AtomicInteger(0);\nprivate int maxResult;",
"class_name": "SparkSqlInterpreter extends Interpreter",
"method_signatures": "private String getJobGroup(InterpreterContext context)\npublic SparkSqlInterpreter(Properties property)\n@Override public void open()\nprivate SparkInterpreter getSparkInterpreter()\npublic boolean concurrentSQL()\n@Override public void close()\n@Override public InterpreterResult interpret(String st, InterpreterContext context)\n@Override public void cancel(InterpreterContext context)\n@Override public FormType getFormType()\n@Override public int getProgress(InterpreterContext context)\n@Override public Scheduler getScheduler()\n@Override public List<String> completion(String buf, int cursor)"
} | [
{
"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: spark/src/main/java/org/apache/zeppelin/spark/SparkSqlInterpreter.java for which to generate the test case is:\nclass_name: SparkSqlInterpreter extends Interpreter\n\nclass_fields: Logger logger = LoggerFactory.getLogger(SparkSqlInterpreter.class);\nAtomicInteger num = new AtomicInteger(0);\nprivate int maxResult;\n\nmethod_signatures: private String getJobGroup(InterpreterContext context)\npublic SparkSqlInterpreter(Properties property)\n@Override public void open()\nprivate SparkInterpreter getSparkInterpreter()\npublic boolean concurrentSQL()\n@Override public void close()\n@Override public InterpreterResult interpret(String st, InterpreterContext context)\n@Override public void cancel(InterpreterContext context)\n@Override public FormType getFormType()\n@Override public int getProgress(InterpreterContext context)\n@Override public Scheduler getScheduler()\n@Override public List<String> completion(String buf, int cursor)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: SparkSqlInterpreterTest\n\nclass_fields: private SparkSqlInterpreter sql;\nprivate SparkInterpreter repl;\nprivate InterpreterContext context;\nprivate InterpreterGroup intpGroup;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file spark/src/main/java/org/apache/zeppelin/spark/SparkSqlInterpreter.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public InterpreterResult interpret(String st, InterpreterContext context) {\n SQLContext sqlc = null;\n SparkInterpreter sparkInterpreter = getSparkInterpreter();\n\n if (sparkInterpreter.getSparkVersion().isUnsupportedVersion()) {\n return new InterpreterResult(Code.ERROR, \"Spark \"\n + sparkInterpreter.getSparkVersion().toString() + \" is not supported\");\n }\n\n sqlc = getSparkInterpreter().getSQLContext();\n SparkContext sc = sqlc.sparkContext();\n if (concurrentSQL()) {\n sc.setLocalProperty(\"spark.scheduler.pool\", \"fair\");\n } else {\n sc.setLocalProperty(\"spark.scheduler.pool\", null);\n }\n\n sc.setJobGroup(getJobGroup(context), \"Zeppelin\", false);\n Object rdd = null;\n try {\n // method signature of sqlc.sql() is changed\n // from def sql(sqlText: String): SchemaRDD (1.2 and prior)\n // to def sql(sqlText: String): DataFrame (1.3 and later).\n // Therefore need to use reflection to keep binary compatibility for all spark versions.\n Method sqlMethod = sqlc.getClass().getMethod(\"sql\", String.class);\n rdd = sqlMethod.invoke(sqlc, st);\n } catch (NoSuchMethodException | SecurityException | IllegalAccessException\n | IllegalArgumentException | InvocationTargetException e) {\n throw new InterpreterException(e);\n }\n\n String msg = ZeppelinContext.showDF(sc, context, rdd, maxResult);\n sc.clearJobGroup();\n return new InterpreterResult(Code.SUCCESS, msg);\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 spark/src/test/java/org/apache/zeppelin/spark/SparkSqlInterpreterTest.java\n </TESTFILE7041>\n @Test\n public void test() {\n repl.interpret(\"case class Test(name:String, age:Int)\", context);\n repl.interpret(\"val test = sc.parallelize(Seq(Test(\\\"moon\\\", 33), Test(\\\"jobs\\\", 51), Test(\\\"gates\\\", 51), Test(\\\"park\\\", 34)))\", context);\n if (isDataFrameSupported()) {\n repl.interpret(\"test.toDF.registerTempTable(\\\"test\\\")\", context);\n } else {\n repl.interpret(\"test.registerTempTable(\\\"test\\\")\", context);\n }\n\n InterpreterResult ret = sql.interpret(\"select name, age from test where age < 40\", context);\n assertEquals(InterpreterResult.Code.SUCCESS, ret.code());\n assertEquals(Type.TABLE, ret.type());\n assertEquals(\"name\\tage\\nmoon\\t33\\npark\\t34\\n\", ret.message());\n\n try {\n sql.interpret(\"select wrong syntax\", context);\n fail(\"Exception not catched\");\n } catch (Exception e) {\n // okay\n }\n assertEquals(InterpreterResult.Code.SUCCESS, sql.interpret(\"select case when name==\\\"aa\\\" then name else name end from test\", context).code());\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lorthos/incubator-zeppelin-druid | java | zeppelin-zengine/src/main/java/org/apache/zeppelin/notebook/Notebook.java | zeppelin-zengine/src/test/java/org/apache/zeppelin/notebook/NotebookTest.java | public Note createNote() throws IOException {
Note note;
if (conf.getBoolean(ConfVars.ZEPPELIN_NOTEBOOK_AUTO_INTERPRETER_BINDING)) {
note = createNote(replFactory.getDefaultInterpreterSettingList());
} else {
note = createNote(null);
}
notebookIndex.addIndexDoc(note);
return note;
} | createNote | @Test
public void testRunAll() throws IOException {
Note note = notebook.createNote();
note.getNoteReplLoader().setInterpreters(factory.getDefaultInterpreterSettingList());
Paragraph p1 = note.addParagraph();
Map config = p1.getConfig();
config.put("enabled", true);
p1.setConfig(config);
p1.setText("p1");
Paragraph p2 = note.addParagraph();
Map config1 = p2.getConfig();
p2.setConfig(config1);
p2.setText("p2");
assertEquals(null, p2.getResult());
note.runAll();
while(p2.isTerminated()==false || p2.getResult()==null) Thread.yield();
assertEquals("repl1: p2", p2.getResult().message());
} | testRunAll | [
"getBoolean",
"createNote",
"getDefaultInterpreterSettingList",
"createNote",
"addIndexDoc"
] | [
"createNote",
"setInterpreters",
"getNoteReplLoader",
"getDefaultInterpreterSettingList",
"addParagraph",
"getConfig",
"put",
"setConfig",
"setText",
"addParagraph",
"getConfig",
"setConfig",
"setText",
"assertEquals",
"getResult",
"runAll",
"isTerminated",
"getResult",
"yield",
"assertEquals",
"message",
"getResult"
] | {
"class_fields": "private static final Logger logger = LoggerFactory.getLogger(NotebookTest.class);\nprivate File tmpDir;\nprivate ZeppelinConfiguration conf;\nprivate SchedulerFactory schedulerFactory;\nprivate File notebookDir;\nprivate Notebook notebook;\nprivate NotebookRepo notebookRepo;\nprivate InterpreterFactory factory;",
"class_name": "NotebookTest implements JobListenerFactory"
} | {
"class_fields": "Logger logger = LoggerFactory.getLogger(Notebook.class);\n@SuppressWarnings(\"unused\") @Deprecated //TODO(bzz): remove unused\n private SchedulerFactory schedulerFactory;\nprivate InterpreterFactory replFactory;\nMap<String, Note> notes = new LinkedHashMap<String, Note>();\nprivate ZeppelinConfiguration conf;\nprivate StdSchedulerFactory quertzSchedFact;\nprivate org.quartz.Scheduler quartzSched;\nprivate JobListenerFactory jobListenerFactory;\nprivate NotebookRepo notebookRepo;\nprivate SearchService notebookIndex;",
"class_name": "Notebook",
"method_signatures": "public Notebook(ZeppelinConfiguration conf, NotebookRepo notebookRepo,\n SchedulerFactory schedulerFactory,\n InterpreterFactory replFactory, JobListenerFactory jobListenerFactory,\n SearchService notebookIndex)\npublic Note createNote()\npublic Note createNote(List<String> interpreterIds)\npublic Note cloneNote(String sourceNoteID, String newNoteName)\npublic void bindInterpretersToNote(String id,\n List<String> interpreterSettingIds)\npublic List<String> getBindedInterpreterSettingsIds(String id)\npublic List<InterpreterSetting> getBindedInterpreterSettings(String id)\npublic Note getNote(String id)\npublic void removeNote(String id)\n@SuppressWarnings(\"rawtypes\") private Note loadNoteFromRepo(String id)\nprivate void loadAllNotes()\npublic void reloadAllNotes()\npublic List<Note> getAllNotes()\npublic JobListenerFactory getJobListenerFactory()\npublic void setJobListenerFactory(JobListenerFactory jobListenerFactory)\npublic void refreshCron(String id)\nprivate void removeCron(String id)\npublic InterpreterFactory getInterpreterFactory()\npublic ZeppelinConfiguration getConf()\npublic void close()"
} | [
{
"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: zeppelin-zengine/src/main/java/org/apache/zeppelin/notebook/Notebook.java for which to generate the test case is:\nclass_name: Notebook\n\nclass_fields: Logger logger = LoggerFactory.getLogger(Notebook.class);\n@SuppressWarnings(\"unused\") @Deprecated //TODO(bzz): remove unused\n private SchedulerFactory schedulerFactory;\nprivate InterpreterFactory replFactory;\nMap<String, Note> notes = new LinkedHashMap<String, Note>();\nprivate ZeppelinConfiguration conf;\nprivate StdSchedulerFactory quertzSchedFact;\nprivate org.quartz.Scheduler quartzSched;\nprivate JobListenerFactory jobListenerFactory;\nprivate NotebookRepo notebookRepo;\nprivate SearchService notebookIndex;\n\nmethod_signatures: public Notebook(ZeppelinConfiguration conf, NotebookRepo notebookRepo,\n SchedulerFactory schedulerFactory,\n InterpreterFactory replFactory, JobListenerFactory jobListenerFactory,\n SearchService notebookIndex)\npublic Note createNote()\npublic Note createNote(List<String> interpreterIds)\npublic Note cloneNote(String sourceNoteID, String newNoteName)\npublic void bindInterpretersToNote(String id,\n List<String> interpreterSettingIds)\npublic List<String> getBindedInterpreterSettingsIds(String id)\npublic List<InterpreterSetting> getBindedInterpreterSettings(String id)\npublic Note getNote(String id)\npublic void removeNote(String id)\n@SuppressWarnings(\"rawtypes\") private Note loadNoteFromRepo(String id)\nprivate void loadAllNotes()\npublic void reloadAllNotes()\npublic List<Note> getAllNotes()\npublic JobListenerFactory getJobListenerFactory()\npublic void setJobListenerFactory(JobListenerFactory jobListenerFactory)\npublic void refreshCron(String id)\nprivate void removeCron(String id)\npublic InterpreterFactory getInterpreterFactory()\npublic ZeppelinConfiguration getConf()\npublic void close()\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: NotebookTest implements JobListenerFactory\n\nclass_fields: private static final Logger logger = LoggerFactory.getLogger(NotebookTest.class);\nprivate File tmpDir;\nprivate ZeppelinConfiguration conf;\nprivate SchedulerFactory schedulerFactory;\nprivate File notebookDir;\nprivate Notebook notebook;\nprivate NotebookRepo notebookRepo;\nprivate InterpreterFactory factory;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file zeppelin-zengine/src/main/java/org/apache/zeppelin/notebook/Notebook.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public Note createNote() throws IOException {\n Note note;\n if (conf.getBoolean(ConfVars.ZEPPELIN_NOTEBOOK_AUTO_INTERPRETER_BINDING)) {\n note = createNote(replFactory.getDefaultInterpreterSettingList());\n } else {\n note = createNote(null);\n }\n notebookIndex.addIndexDoc(note);\n return note;\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 zeppelin-zengine/src/test/java/org/apache/zeppelin/notebook/NotebookTest.java\n </TESTFILE7041>\n @Test\n public void testRunAll() throws IOException {\n Note note = notebook.createNote();\n note.getNoteReplLoader().setInterpreters(factory.getDefaultInterpreterSettingList());\n Paragraph p1 = note.addParagraph();\n Map config = p1.getConfig();\n config.put(\"enabled\", true);\n p1.setConfig(config);\n p1.setText(\"p1\");\n Paragraph p2 = note.addParagraph();\n Map config1 = p2.getConfig();\n p2.setConfig(config1);\n p2.setText(\"p2\");\n assertEquals(null, p2.getResult());\n note.runAll();\n\n while(p2.isTerminated()==false || p2.getResult()==null) Thread.yield();\n assertEquals(\"repl1: p2\", p2.getResult().message());\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lmco/eurekastreams | java | server/src/main/java/org/eurekastreams/server/action/execution/start/SetGadgetStateExecution.java | server/src/test/java/org/eurekastreams/server/action/execution/start/SetGadgetStateExecutionTest.java | @Override
public Gadget execute(final PrincipalActionContext inActionContext) throws ExecutionException
{
SetGadgetStateRequest currentRequest = (SetGadgetStateRequest) inActionContext.getParams();
if (logger.isDebugEnabled())
{
logger.debug("Calling Minimize on Gadget: " + currentRequest.getGadgetId() + ". Setting minimize to: "
+ currentRequest.isMinimized());
}
Gadget gadget = gadgetMapper.findById(currentRequest.getGadgetId());
if (null == gadget)
{
throw new ExecutionException("Failed to set minimized state for gadget. Gadget id "
+ currentRequest.getGadgetId() + " not found");
}
gadget.setMinimized(currentRequest.isMinimized());
gadget.setMaximized(currentRequest.isMaximized());
gadgetMapper.flush();
deleteKeysMapper.execute(Collections.singleton(CacheKeys.PERSON_PAGE_PROPERTIES_BY_ID
+ inActionContext.getPrincipal().getId()));
return gadget;
} | execute | @Test(expected = ExecutionException.class)
public void performActionWithBadGadgetId() throws Exception
{
final Long noSuchGadgetId = 99L;
context.checking(new Expectations()
{
{
oneOf(gadgetMapper).findById(noSuchGadgetId);
will(returnValue(null));
}
});
SetGadgetStateRequest currentRequest = new SetGadgetStateRequest(noSuchGadgetId, State.MINIMIZED);
ServiceActionContext currentContext = new ServiceActionContext(currentRequest, principalMock);
sut.execute(currentContext);
} | performActionWithBadGadgetId | [
"getParams",
"isDebugEnabled",
"debug",
"getGadgetId",
"isMinimized",
"findById",
"getGadgetId",
"getGadgetId",
"setMinimized",
"isMinimized",
"setMaximized",
"isMaximized",
"flush",
"execute",
"singleton",
"getId",
"getPrincipal"
] | [
"checking",
"findById",
"oneOf",
"will",
"returnValue",
"execute"
] | {
"class_fields": "private SetGadgetStateExecution sut;\nprivate static final Long GADGET_ID1 = 10L;\nprivate final Mockery context = new JUnit4Mockery()\n {\n {\n setImposteriser(ClassImposteriser.INSTANCE);\n }\n };\nprivate GadgetMapper gadgetMapper = context.mock(GadgetMapper.class);\nprivate Principal principalMock = context.mock(Principal.class);\nprivate DomainMapper<Set<String>, Boolean> deleteCacheKeysMapper = context.mock(DomainMapper.class);",
"class_name": "SetGadgetStateExecutionTest"
} | {
"class_fields": "private final Log logger = LogFactory.make();\nprivate final GadgetMapper gadgetMapper;\nprivate DomainMapper<Set<String>, Boolean> deleteKeysMapper;",
"class_name": "SetGadgetStateExecution implements ExecutionStrategy<PrincipalActionContext>",
"method_signatures": "public SetGadgetStateExecution(final GadgetMapper inGadgetMapper,\n final DomainMapper<Set<String>, Boolean> inDeleteKeysMapper)\n@Override public Gadget execute(final PrincipalActionContext inActionContext)"
} | [
{
"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: server/src/main/java/org/eurekastreams/server/action/execution/start/SetGadgetStateExecution.java for which to generate the test case is:\nclass_name: SetGadgetStateExecution implements ExecutionStrategy<PrincipalActionContext>\n\nclass_fields: private final Log logger = LogFactory.make();\nprivate final GadgetMapper gadgetMapper;\nprivate DomainMapper<Set<String>, Boolean> deleteKeysMapper;\n\nmethod_signatures: public SetGadgetStateExecution(final GadgetMapper inGadgetMapper,\n final DomainMapper<Set<String>, Boolean> inDeleteKeysMapper)\n@Override public Gadget execute(final PrincipalActionContext inActionContext)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: SetGadgetStateExecutionTest\n\nclass_fields: private SetGadgetStateExecution sut;\nprivate static final Long GADGET_ID1 = 10L;\nprivate final Mockery context = new JUnit4Mockery()\n {\n {\n setImposteriser(ClassImposteriser.INSTANCE);\n }\n };\nprivate GadgetMapper gadgetMapper = context.mock(GadgetMapper.class);\nprivate Principal principalMock = context.mock(Principal.class);\nprivate DomainMapper<Set<String>, Boolean> deleteCacheKeysMapper = context.mock(DomainMapper.class);\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file server/src/main/java/org/eurekastreams/server/action/execution/start/SetGadgetStateExecution.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public Gadget execute(final PrincipalActionContext inActionContext) throws ExecutionException\n {\n SetGadgetStateRequest currentRequest = (SetGadgetStateRequest) inActionContext.getParams();\n\n if (logger.isDebugEnabled())\n {\n logger.debug(\"Calling Minimize on Gadget: \" + currentRequest.getGadgetId() + \". Setting minimize to: \"\n + currentRequest.isMinimized());\n }\n\n Gadget gadget = gadgetMapper.findById(currentRequest.getGadgetId());\n\n if (null == gadget)\n {\n throw new ExecutionException(\"Failed to set minimized state for gadget. Gadget id \"\n + currentRequest.getGadgetId() + \" not found\");\n }\n\n gadget.setMinimized(currentRequest.isMinimized());\n gadget.setMaximized(currentRequest.isMaximized());\n\n gadgetMapper.flush();\n\n deleteKeysMapper.execute(Collections.singleton(CacheKeys.PERSON_PAGE_PROPERTIES_BY_ID\n + inActionContext.getPrincipal().getId()));\n\n return gadget;\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 server/src/test/java/org/eurekastreams/server/action/execution/start/SetGadgetStateExecutionTest.java\n </TESTFILE7041>\n @Test(expected = ExecutionException.class)\n public void performActionWithBadGadgetId() throws Exception\n {\n final Long noSuchGadgetId = 99L;\n\n context.checking(new Expectations()\n {\n {\n oneOf(gadgetMapper).findById(noSuchGadgetId);\n will(returnValue(null));\n\n }\n });\n\n SetGadgetStateRequest currentRequest = new SetGadgetStateRequest(noSuchGadgetId, State.MINIMIZED);\n ServiceActionContext currentContext = new ServiceActionContext(currentRequest, principalMock);\n sut.execute(currentContext);\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lmco/eurekastreams | java | server/src/main/java/org/eurekastreams/server/persistence/mappers/stream/DeleteActivity.java | server/src/test/java/org/eurekastreams/server/persistence/mappers/stream/DeleteActivityTest.java | public ActivityDTO execute(final DeleteActivityRequest inDeleteActivityRequest)
{
final Long activityId = inDeleteActivityRequest.getActivityId();
final Long userId = inDeleteActivityRequest.getUserId();
List<ActivityDTO> activities = activityDAO.execute(Collections.singletonList(activityId));
// activity already deleted, short circuit.
if (activities.size() == 0)
{
return null;
}
// Activity to be deleted.
ActivityDTO activity = activities.get(0);
// delete activity comments from DB if needed.
getEntityManager().createQuery("DELETE FROM Comment c WHERE c.target.id = :activityId").setParameter(
"activityId", activityId).executeUpdate();
// delete activity from currentUser's starred activity collections in DB.
getEntityManager().createQuery("DELETE FROM StarredActivity where activityId = :activityId").setParameter(
"activityId", activityId).executeUpdate();
// delete any hashtags stored to streams on behalf of this activity
getEntityManager().createQuery("DELETE FROM StreamHashTag WHERE activity.id = :activityId").setParameter(
"activityId", activityId).executeUpdate();
// delete activity from DB.
getEntityManager().createQuery("DELETE FROM Activity WHERE id = :activityId").setParameter("activityId",
activityId).executeUpdate();
// Remove activity id from user's starred list in cache.
getCache().removeFromList(CacheKeys.STARRED_BY_PERSON_ID + userId, activityId);
// Remove activity id from user's following list in cache.
getCache().removeFromList(CacheKeys.ACTIVITIES_BY_FOLLOWING + userId, activityId);
return activity;
} | execute | @Test
public void testExecuteBogusId()
{
final long bogusId = -9879843;
assertNull(sut.execute(new DeleteActivityRequest(smithersId, bogusId)));
} | testExecuteBogusId | [
"getActivityId",
"getUserId",
"execute",
"singletonList",
"size",
"get",
"executeUpdate",
"setParameter",
"createQuery",
"getEntityManager",
"executeUpdate",
"setParameter",
"createQuery",
"getEntityManager",
"executeUpdate",
"setParameter",
"createQuery",
"getEntityManager",
"executeUpdate",
"setParameter",
"createQuery",
"getEntityManager",
"removeFromList",
"getCache",
"removeFromList",
"getCache"
] | [
"assertNull",
"execute"
] | {
"class_fields": "@Autowired\n private DeleteActivity sut;\n@Autowired\n private Cache cache;\nprivate final long activityId = 6789;\nprivate final long commentId = 1L;\nprivate final long simthersCompStreamId = 4L;\nprivate final long everyoneCompStreamId = 5002L;\nprivate final long customCompStreamId = 17L;\nprivate final long smithersId = 98L;",
"class_name": "DeleteActivityTest extends CachedMapperTest"
} | {
"class_fields": "private DomainMapper<List<Long>, List<ActivityDTO>> activityDAO;",
"class_name": "DeleteActivity extends BaseArgCachedDomainMapper<DeleteActivityRequest, ActivityDTO>",
"method_signatures": "public DeleteActivity(final DomainMapper<List<Long>, List<ActivityDTO>> inActivityDAO)\npublic ActivityDTO execute(final DeleteActivityRequest inDeleteActivityRequest)"
} | [
{
"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: server/src/main/java/org/eurekastreams/server/persistence/mappers/stream/DeleteActivity.java for which to generate the test case is:\nclass_name: DeleteActivity extends BaseArgCachedDomainMapper<DeleteActivityRequest, ActivityDTO>\n\nclass_fields: private DomainMapper<List<Long>, List<ActivityDTO>> activityDAO;\n\nmethod_signatures: public DeleteActivity(final DomainMapper<List<Long>, List<ActivityDTO>> inActivityDAO)\npublic ActivityDTO execute(final DeleteActivityRequest inDeleteActivityRequest)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: DeleteActivityTest extends CachedMapperTest\n\nclass_fields: @Autowired\n private DeleteActivity sut;\n@Autowired\n private Cache cache;\nprivate final long activityId = 6789;\nprivate final long commentId = 1L;\nprivate final long simthersCompStreamId = 4L;\nprivate final long everyoneCompStreamId = 5002L;\nprivate final long customCompStreamId = 17L;\nprivate final long smithersId = 98L;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file server/src/main/java/org/eurekastreams/server/persistence/mappers/stream/DeleteActivity.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public ActivityDTO execute(final DeleteActivityRequest inDeleteActivityRequest)\n {\n final Long activityId = inDeleteActivityRequest.getActivityId();\n final Long userId = inDeleteActivityRequest.getUserId();\n List<ActivityDTO> activities = activityDAO.execute(Collections.singletonList(activityId));\n\n // activity already deleted, short circuit.\n if (activities.size() == 0)\n {\n return null;\n }\n\n // Activity to be deleted.\n ActivityDTO activity = activities.get(0);\n\n // delete activity comments from DB if needed.\n getEntityManager().createQuery(\"DELETE FROM Comment c WHERE c.target.id = :activityId\").setParameter(\n \"activityId\", activityId).executeUpdate();\n\n // delete activity from currentUser's starred activity collections in DB.\n getEntityManager().createQuery(\"DELETE FROM StarredActivity where activityId = :activityId\").setParameter(\n \"activityId\", activityId).executeUpdate();\n\n // delete any hashtags stored to streams on behalf of this activity\n getEntityManager().createQuery(\"DELETE FROM StreamHashTag WHERE activity.id = :activityId\").setParameter(\n \"activityId\", activityId).executeUpdate();\n\n // delete activity from DB.\n getEntityManager().createQuery(\"DELETE FROM Activity WHERE id = :activityId\").setParameter(\"activityId\",\n activityId).executeUpdate();\n\n // Remove activity id from user's starred list in cache.\n getCache().removeFromList(CacheKeys.STARRED_BY_PERSON_ID + userId, activityId);\n\n // Remove activity id from user's following list in cache.\n getCache().removeFromList(CacheKeys.ACTIVITIES_BY_FOLLOWING + userId, activityId);\n\n return activity;\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 server/src/test/java/org/eurekastreams/server/persistence/mappers/stream/DeleteActivityTest.java\n </TESTFILE7041>\n @Test\n public void testExecuteBogusId()\n {\n final long bogusId = -9879843;\n assertNull(sut.execute(new DeleteActivityRequest(smithersId, bogusId)));\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lmco/eurekastreams | java | server/src/main/java/org/eurekastreams/server/persistence/mappers/db/GetSubscribedGroupsDbMapper.java | server/src/test/java/org/eurekastreams/server/persistence/mappers/db/GetSubscribedGroupsDbMapperTest.java | @Override
public ArrayList<String> execute(final Long inPersonId)
{
// Note: hard-coding isSubscribed to "true" as a parameter rather than in query to ensure it's interpreted
// properly - not necessary, just cautious.
String q = "SELECT shortName FROM DomainGroup WHERE id IN "
+ "(SELECT pk.followingId FROM GroupFollower WHERE pk.followerId = :personId "
+ "AND receiveNewActivityNotifications = :isSubscribed)";
Query query = getEntityManager().createQuery(q).setParameter("personId", inPersonId).setParameter(
"isSubscribed", true);
ArrayList<String> results = new ArrayList<String>(query.getResultList());
return results;
} | execute | @Test
public void testExecuteWithNoFollowedGroups()
{
final long fordId = 42L; // groups 1, 2, 3
getEntityManager().clear();
// don't trust dataset.xml for this one since it deals with booleans
// unsubscribe from all groups
getEntityManager().createQuery("UPDATE GroupFollower SET receiveNewActivityNotifications = :trueOrFalse")
.setParameter("trueOrFalse", false).executeUpdate();
getEntityManager().clear();
ArrayList<String> groups = sut.execute(fordId);
assertEquals(0, groups.size());
} | testExecuteWithNoFollowedGroups | [
"setParameter",
"setParameter",
"createQuery",
"getEntityManager",
"getResultList"
] | [
"clear",
"getEntityManager",
"executeUpdate",
"setParameter",
"createQuery",
"getEntityManager",
"clear",
"getEntityManager",
"execute",
"assertEquals",
"size"
] | {
"class_fields": "private GetSubscribedGroupsDbMapper sut;",
"class_name": "GetSubscribedGroupsDbMapperTest extends MapperTest"
} | {
"class_fields": "",
"class_name": "GetSubscribedGroupsDbMapper extends BaseArgDomainMapper<Long, ArrayList<String>>",
"method_signatures": "@Override public ArrayList<String> execute(final Long inPersonId)"
} | [
{
"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: server/src/main/java/org/eurekastreams/server/persistence/mappers/db/GetSubscribedGroupsDbMapper.java for which to generate the test case is:\nclass_name: GetSubscribedGroupsDbMapper extends BaseArgDomainMapper<Long, ArrayList<String>>\n\nclass_fields: \n\nmethod_signatures: @Override public ArrayList<String> execute(final Long inPersonId)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: GetSubscribedGroupsDbMapperTest extends MapperTest\n\nclass_fields: private GetSubscribedGroupsDbMapper sut;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file server/src/main/java/org/eurekastreams/server/persistence/mappers/db/GetSubscribedGroupsDbMapper.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public ArrayList<String> execute(final Long inPersonId)\n {\n // Note: hard-coding isSubscribed to \"true\" as a parameter rather than in query to ensure it's interpreted\n // properly - not necessary, just cautious.\n String q = \"SELECT shortName FROM DomainGroup WHERE id IN \"\n + \"(SELECT pk.followingId FROM GroupFollower WHERE pk.followerId = :personId \"\n + \"AND receiveNewActivityNotifications = :isSubscribed)\";\n Query query = getEntityManager().createQuery(q).setParameter(\"personId\", inPersonId).setParameter(\n \"isSubscribed\", true);\n ArrayList<String> results = new ArrayList<String>(query.getResultList());\n return results;\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 server/src/test/java/org/eurekastreams/server/persistence/mappers/db/GetSubscribedGroupsDbMapperTest.java\n </TESTFILE7041>\n @Test\n public void testExecuteWithNoFollowedGroups()\n {\n final long fordId = 42L; // groups 1, 2, 3\n\n getEntityManager().clear();\n\n // don't trust dataset.xml for this one since it deals with booleans\n\n // unsubscribe from all groups\n getEntityManager().createQuery(\"UPDATE GroupFollower SET receiveNewActivityNotifications = :trueOrFalse\")\n .setParameter(\"trueOrFalse\", false).executeUpdate();\n\n getEntityManager().clear();\n\n ArrayList<String> groups = sut.execute(fordId);\n assertEquals(0, groups.size());\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lmco/eurekastreams | java | server/src/main/java/org/eurekastreams/server/action/execution/gallery/GetGallerySearchResultsExecution.java | server/src/test/java/org/eurekastreams/server/action/execution/gallery/GetGallerySearchResultsExecutionTest.java | @Override
public PagedSet<GalleryItem> execute(final ServiceActionContext inActionContext) throws ExecutionException
{
long startTime = System.currentTimeMillis();
GetGallerySearchResultsRequest actionRequest = (GetGallerySearchResultsRequest) inActionContext.getParams();
LuceneSearchRequest request = new LuceneSearchRequest();
request.setMaxResults(actionRequest.getMaxResultsPerPage());
request.setFirstResult(actionRequest.getStartingIndex());
Class< ? > objectType;
if (actionRequest.getType() == GalleryItemType.THEME)
{
objectType = Theme.class;
}
else
{
objectType = GadgetDefinition.class;
}
// TODO pull into Spring.
Map<String, Float> fields = new HashMap<String, Float>();
fields.put("name", 2.0F);
fields.put("title", 2.0F);
fields.put("description", 1.0F);
fields.put("author", 1.0F);
request.setFields(fields);
List<String> sortFields = new ArrayList<String>();
sortFields.add(actionRequest.getSort());
request.setSortFields(sortFields);
request.setObjectType(objectType);
request.setSearchString(actionRequest.getSearchText());
PagedSet<GalleryItem> results = searchMapper.execute(request);
if (logger.isDebugEnabled())
{
logger.debug("Retrieved " + results.getTotal() + " from the search, returning "
+ results.getPagedSet().size() + " items from the searchText: " + actionRequest.getSearchText()
+ " .");
}
// set the elapsed time
String elapsedTime = formatElapasedTime(startTime, System.currentTimeMillis());
results.setElapsedTime(elapsedTime);
return results;
} | execute | @Test(expected = NullPointerException.class)
public final void performActionTheme() throws Exception
{
final GetGallerySearchResultsRequest request = new GetGallerySearchResultsRequest();
final ServiceActionContext currentContext = new ServiceActionContext(request, principalMock);
request.setMaxResultsPerPage(1);
request.setSearchText("search test");
request.setSort("created");
request.setStartingIndex(0);
request.setType(GalleryItemType.THEME);
final AnonymousClassInterceptor<LuceneSearchRequest> requestInt =
new AnonymousClassInterceptor<LuceneSearchRequest>();
context.checking(new Expectations()
{
{
oneOf(mapper).execute(with(any(LuceneSearchRequest.class)));
will(requestInt);
}
});
sut.execute(currentContext);
Assert.assertEquals(request.getStartingIndex(), requestInt.getObject().getFirstResult());
Assert.assertEquals(request.getMaxResultsPerPage(), requestInt.getObject().getMaxResults());
Assert.assertEquals(request.getSearchText(), requestInt.getObject().getSearchString());
Assert.assertEquals(Theme.class, requestInt.getObject().getObjectType());
Assert.assertNotNull(requestInt.getObject().getSortFields());
Assert.assertNotNull(requestInt.getObject().getFields());
context.assertIsSatisfied();
} | performActionTheme | [
"currentTimeMillis",
"getParams",
"setMaxResults",
"getMaxResultsPerPage",
"setFirstResult",
"getStartingIndex",
"getType",
"put",
"put",
"put",
"put",
"setFields",
"add",
"getSort",
"setSortFields",
"setObjectType",
"setSearchString",
"getSearchText",
"execute",
"isDebugEnabled",
"debug",
"getTotal",
"size",
"getPagedSet",
"getSearchText",
"formatElapasedTime",
"currentTimeMillis",
"setElapsedTime"
] | [
"setMaxResultsPerPage",
"setSearchText",
"setSort",
"setStartingIndex",
"setType",
"checking",
"execute",
"oneOf",
"with",
"any",
"will",
"execute",
"assertEquals",
"getStartingIndex",
"getFirstResult",
"getObject",
"assertEquals",
"getMaxResultsPerPage",
"getMaxResults",
"getObject",
"assertEquals",
"getSearchText",
"getSearchString",
"getObject",
"assertEquals",
"getObjectType",
"getObject",
"assertNotNull",
"getSortFields",
"getObject",
"assertNotNull",
"getFields",
"getObject",
"assertIsSatisfied"
] | {
"class_fields": "private GetGallerySearchResultsExecution sut;\nprivate final Mockery context = new JUnit4Mockery()\n {\n {\n setImposteriser(ClassImposteriser.INSTANCE);\n }\n };\nprivate LuceneSearchMapper<GalleryItem> mapper = context.mock(LuceneSearchMapper.class);\nprivate Principal principalMock = context.mock(Principal.class);",
"class_name": "GetGallerySearchResultsExecutionTest"
} | {
"class_fields": "private final Log logger = LogFactory.make();\nprivate final LuceneSearchMapper<GalleryItem> searchMapper;",
"class_name": "GetGallerySearchResultsExecution implements ExecutionStrategy<ServiceActionContext>",
"method_signatures": "public GetGallerySearchResultsExecution(final LuceneSearchMapper<GalleryItem> inSearchMapper)\n@Override public PagedSet<GalleryItem> execute(final ServiceActionContext inActionContext)\nprivate String formatElapasedTime(final long startTime, final long endTime)"
} | [
{
"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: server/src/main/java/org/eurekastreams/server/action/execution/gallery/GetGallerySearchResultsExecution.java for which to generate the test case is:\nclass_name: GetGallerySearchResultsExecution implements ExecutionStrategy<ServiceActionContext>\n\nclass_fields: private final Log logger = LogFactory.make();\nprivate final LuceneSearchMapper<GalleryItem> searchMapper;\n\nmethod_signatures: public GetGallerySearchResultsExecution(final LuceneSearchMapper<GalleryItem> inSearchMapper)\n@Override public PagedSet<GalleryItem> execute(final ServiceActionContext inActionContext)\nprivate String formatElapasedTime(final long startTime, final long endTime)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: GetGallerySearchResultsExecutionTest\n\nclass_fields: private GetGallerySearchResultsExecution sut;\nprivate final Mockery context = new JUnit4Mockery()\n {\n {\n setImposteriser(ClassImposteriser.INSTANCE);\n }\n };\nprivate LuceneSearchMapper<GalleryItem> mapper = context.mock(LuceneSearchMapper.class);\nprivate Principal principalMock = context.mock(Principal.class);\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file server/src/main/java/org/eurekastreams/server/action/execution/gallery/GetGallerySearchResultsExecution.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public PagedSet<GalleryItem> execute(final ServiceActionContext inActionContext) throws ExecutionException\n {\n long startTime = System.currentTimeMillis();\n\n GetGallerySearchResultsRequest actionRequest = (GetGallerySearchResultsRequest) inActionContext.getParams();\n\n LuceneSearchRequest request = new LuceneSearchRequest();\n\n request.setMaxResults(actionRequest.getMaxResultsPerPage());\n request.setFirstResult(actionRequest.getStartingIndex());\n\n Class< ? > objectType;\n\n if (actionRequest.getType() == GalleryItemType.THEME)\n {\n objectType = Theme.class;\n }\n else\n {\n objectType = GadgetDefinition.class;\n }\n\n // TODO pull into Spring.\n Map<String, Float> fields = new HashMap<String, Float>();\n fields.put(\"name\", 2.0F);\n fields.put(\"title\", 2.0F);\n fields.put(\"description\", 1.0F);\n fields.put(\"author\", 1.0F);\n request.setFields(fields);\n\n List<String> sortFields = new ArrayList<String>();\n sortFields.add(actionRequest.getSort());\n request.setSortFields(sortFields);\n request.setObjectType(objectType);\n request.setSearchString(actionRequest.getSearchText());\n\n PagedSet<GalleryItem> results = searchMapper.execute(request);\n\n if (logger.isDebugEnabled())\n {\n logger.debug(\"Retrieved \" + results.getTotal() + \" from the search, returning \"\n + results.getPagedSet().size() + \" items from the searchText: \" + actionRequest.getSearchText()\n + \" .\");\n }\n\n // set the elapsed time\n String elapsedTime = formatElapasedTime(startTime, System.currentTimeMillis());\n results.setElapsedTime(elapsedTime);\n\n return results;\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 server/src/test/java/org/eurekastreams/server/action/execution/gallery/GetGallerySearchResultsExecutionTest.java\n </TESTFILE7041>\n @Test(expected = NullPointerException.class)\n public final void performActionTheme() throws Exception\n {\n final GetGallerySearchResultsRequest request = new GetGallerySearchResultsRequest();\n\n final ServiceActionContext currentContext = new ServiceActionContext(request, principalMock);\n\n request.setMaxResultsPerPage(1);\n request.setSearchText(\"search test\");\n request.setSort(\"created\");\n request.setStartingIndex(0);\n request.setType(GalleryItemType.THEME);\n\n final AnonymousClassInterceptor<LuceneSearchRequest> requestInt =\n new AnonymousClassInterceptor<LuceneSearchRequest>();\n\n context.checking(new Expectations()\n {\n {\n oneOf(mapper).execute(with(any(LuceneSearchRequest.class)));\n will(requestInt);\n }\n });\n\n sut.execute(currentContext);\n\n Assert.assertEquals(request.getStartingIndex(), requestInt.getObject().getFirstResult());\n Assert.assertEquals(request.getMaxResultsPerPage(), requestInt.getObject().getMaxResults());\n Assert.assertEquals(request.getSearchText(), requestInt.getObject().getSearchString());\n Assert.assertEquals(Theme.class, requestInt.getObject().getObjectType());\n Assert.assertNotNull(requestInt.getObject().getSortFields());\n Assert.assertNotNull(requestInt.getObject().getFields());\n\n context.assertIsSatisfied();\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lmco/eurekastreams | java | server/src/main/java/org/eurekastreams/server/service/actions/strategies/MapParameterValidator.java | server/src/test/java/org/eurekastreams/server/service/actions/strategies/MapParameterValidatorTest.java | @SuppressWarnings("unchecked")
public void validate(final Map<String, Serializable> map, final Map<String, String> errors)
{
if (!map.containsKey(key) || map.get(key) == null || !clazz.isAssignableFrom(map.get(key).getClass())
|| (map.get(key) instanceof String && ((String) map.get(key)).trim().isEmpty())
|| (List.class.isAssignableFrom(map.get(key).getClass()) && ((List) map.get(key)).size() == 0))
{
errors.put(key, message);
}
if (decorated != null)
{
decorated.validate(map, errors);
}
else if (!errors.isEmpty())
{
ValidationException ve = new ValidationException();
for (String errorKey : errors.keySet())
{
ve.addError(errorKey, errors.get(errorKey));
}
throw ve;
}
} | validate | @Test(expected = ValidationException.class)
public void testValidateStringFailNull()
{
final HashMap<String, Serializable> map = new HashMap<String, Serializable>();
map.put("key", null);
sut = new MapParameterValidator("key", String.class, "message here");
sut.validate(map, new HashMap<String, String>());
} | testValidateStringFailNull | [
"containsKey",
"get",
"isAssignableFrom",
"getClass",
"get",
"get",
"isEmpty",
"trim",
"get",
"isAssignableFrom",
"getClass",
"get",
"size",
"get",
"put",
"validate",
"isEmpty",
"keySet",
"addError",
"get"
] | [
"put",
"validate"
] | {
"class_fields": "private MapParameterValidator sut;",
"class_name": "MapParameterValidatorTest"
} | {
"class_fields": "private String key;\nprivate Class< ? > clazz;\nprivate String message;\nprivate MapParameterValidatorDecorator decorated;",
"class_name": "MapParameterValidator implements MapParameterValidatorDecorator",
"method_signatures": "public MapParameterValidator(final String inKey, final Class< ? > inClazz, final String inMessage)\n@SuppressWarnings(\"unchecked\") public void validate(final Map<String, Serializable> map, final Map<String, String> errors)\npublic void setMapParameterValidatorDecorator(final MapParameterValidatorDecorator inDecorated)"
} | [
{
"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: server/src/main/java/org/eurekastreams/server/service/actions/strategies/MapParameterValidator.java for which to generate the test case is:\nclass_name: MapParameterValidator implements MapParameterValidatorDecorator\n\nclass_fields: private String key;\nprivate Class< ? > clazz;\nprivate String message;\nprivate MapParameterValidatorDecorator decorated;\n\nmethod_signatures: public MapParameterValidator(final String inKey, final Class< ? > inClazz, final String inMessage)\n@SuppressWarnings(\"unchecked\") public void validate(final Map<String, Serializable> map, final Map<String, String> errors)\npublic void setMapParameterValidatorDecorator(final MapParameterValidatorDecorator inDecorated)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: MapParameterValidatorTest\n\nclass_fields: private MapParameterValidator sut;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file server/src/main/java/org/eurekastreams/server/service/actions/strategies/MapParameterValidator.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @SuppressWarnings(\"unchecked\")\n public void validate(final Map<String, Serializable> map, final Map<String, String> errors)\n {\n if (!map.containsKey(key) || map.get(key) == null || !clazz.isAssignableFrom(map.get(key).getClass())\n || (map.get(key) instanceof String && ((String) map.get(key)).trim().isEmpty())\n || (List.class.isAssignableFrom(map.get(key).getClass()) && ((List) map.get(key)).size() == 0))\n {\n errors.put(key, message); \n }\n \n if (decorated != null)\n {\n decorated.validate(map, errors);\n }\n else if (!errors.isEmpty())\n {\n ValidationException ve = new ValidationException();\n for (String errorKey : errors.keySet())\n {\n ve.addError(errorKey, errors.get(errorKey));\n }\n throw ve;\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 server/src/test/java/org/eurekastreams/server/service/actions/strategies/MapParameterValidatorTest.java\n </TESTFILE7041>\n @Test(expected = ValidationException.class)\n public void testValidateStringFailNull()\n {\n final HashMap<String, Serializable> map = new HashMap<String, Serializable>();\n map.put(\"key\", null);\n\n sut = new MapParameterValidator(\"key\", String.class, \"message here\");\n sut.validate(map, new HashMap<String, String>());\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lorthos/incubator-zeppelin-druid | java | scalding/src/main/java/org/apache/zeppelin/scalding/ScaldingInterpreter.java | scalding/src/test/java/org/apache/zeppelin/scalding/ScaldingInterpreterTest.java | @Override
public InterpreterResult interpret(String cmd, InterpreterContext contextInterpreter) {
logger.info("Running Scalding command '" + cmd + "'");
if (cmd == null || cmd.trim().length() == 0) {
return new InterpreterResult(Code.SUCCESS);
}
return interpret(cmd.split("\n"), contextInterpreter);
} | interpret | @Test
public void testReferencingUndefinedVal() {
InterpreterResult result = repl.interpret("def category(min: Int) = {"
+ " if (0 <= value) \"error\"" + "}", context);
assertEquals(Code.ERROR, result.code());
} | testReferencingUndefinedVal | [
"info",
"length",
"trim",
"interpret",
"split"
] | [
"interpret",
"assertEquals",
"code"
] | {
"class_fields": "public static ScaldingInterpreter repl;\nprivate InterpreterContext context;\nprivate File tmpDir;",
"class_name": "ScaldingInterpreterTest"
} | {
"class_fields": "Logger logger = LoggerFactory.getLogger(ScaldingInterpreter.class);\npublic static final List<String> NO_COMPLETION = \n Collections.unmodifiableList(new ArrayList<String>());\nprivate ScaldingILoop interpreter;\nprivate ByteArrayOutputStream out;\nprivate Map<String, Object> binder;",
"class_name": "ScaldingInterpreter extends Interpreter",
"method_signatures": "public ScaldingInterpreter(Properties property)\n@Override public void open()\nprivate Object getValue(String name)\nprivate List<File> currentClassPath()\nprivate List<File> classPath(ClassLoader cl)\n@Override public void close()\n@Override public InterpreterResult interpret(String cmd, InterpreterContext contextInterpreter)\npublic InterpreterResult interpret(String[] lines, InterpreterContext context)\npublic InterpreterResult interpretInput(String[] lines)\nprivate Code getResultCode(scala.tools.nsc.interpreter.Results.Result r)\n@Override public void cancel(InterpreterContext context)\n@Override public FormType getFormType()\n@Override public int getProgress(InterpreterContext context)\n@Override public Scheduler getScheduler()\n@Override public List<String> completion(String buf, int cursor)"
} | [
{
"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: scalding/src/main/java/org/apache/zeppelin/scalding/ScaldingInterpreter.java for which to generate the test case is:\nclass_name: ScaldingInterpreter extends Interpreter\n\nclass_fields: Logger logger = LoggerFactory.getLogger(ScaldingInterpreter.class);\npublic static final List<String> NO_COMPLETION = \n Collections.unmodifiableList(new ArrayList<String>());\nprivate ScaldingILoop interpreter;\nprivate ByteArrayOutputStream out;\nprivate Map<String, Object> binder;\n\nmethod_signatures: public ScaldingInterpreter(Properties property)\n@Override public void open()\nprivate Object getValue(String name)\nprivate List<File> currentClassPath()\nprivate List<File> classPath(ClassLoader cl)\n@Override public void close()\n@Override public InterpreterResult interpret(String cmd, InterpreterContext contextInterpreter)\npublic InterpreterResult interpret(String[] lines, InterpreterContext context)\npublic InterpreterResult interpretInput(String[] lines)\nprivate Code getResultCode(scala.tools.nsc.interpreter.Results.Result r)\n@Override public void cancel(InterpreterContext context)\n@Override public FormType getFormType()\n@Override public int getProgress(InterpreterContext context)\n@Override public Scheduler getScheduler()\n@Override public List<String> completion(String buf, int cursor)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: ScaldingInterpreterTest\n\nclass_fields: public static ScaldingInterpreter repl;\nprivate InterpreterContext context;\nprivate File tmpDir;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file scalding/src/main/java/org/apache/zeppelin/scalding/ScaldingInterpreter.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public InterpreterResult interpret(String cmd, InterpreterContext contextInterpreter) {\n logger.info(\"Running Scalding command '\" + cmd + \"'\");\n\n if (cmd == null || cmd.trim().length() == 0) {\n return new InterpreterResult(Code.SUCCESS);\n }\n return interpret(cmd.split(\"\\n\"), contextInterpreter);\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 scalding/src/test/java/org/apache/zeppelin/scalding/ScaldingInterpreterTest.java\n </TESTFILE7041>\n @Test\n public void testReferencingUndefinedVal() {\n InterpreterResult result = repl.interpret(\"def category(min: Int) = {\"\n + \" if (0 <= value) \\\"error\\\"\" + \"}\", context);\n assertEquals(Code.ERROR, result.code());\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/thulab/iotdb | java | tsfile/src/main/java/org/apache/iotdb/tsfile/utils/StringContainer.java | tsfile/src/test/java/org/apache/iotdb/tsfile/utils/StringContainerTest.java | public String getSubString(int index) {
int realIndex = index >= 0 ? index : count + index;
if (realIndex < 0 || realIndex >= count) {
throw new IndexOutOfBoundsException(
"Index: " + index + ", Real Index: " + realIndex + ", Size: " + count);
}
if (realIndex < reverseList.size()) {
return reverseList.get(reverseList.size() - 1 - realIndex);
} else {
return sequenceList.get(realIndex - reverseList.size());
}
} | getSubString | @Test
public void testGetSubString() {
StringContainer a = new StringContainer();
try {
a.getSubString(0);
} catch (Exception e) {
assertTrue(e instanceof IndexOutOfBoundsException);
}
a.addHead("a", "bbb", "cc");
assertEquals("a", a.getSubString(0));
assertEquals("cc", a.getSubString(-1));
assertEquals("bbb", a.getSubString(-2));
try {
a.getSubString(4);
} catch (Exception e) {
assertTrue(e instanceof IndexOutOfBoundsException);
}
a.addTail("dd", "eeee");
assertEquals("a", a.getSubString(0));
assertEquals("cc", a.getSubString(-3));
assertEquals("dd", a.getSubString(3));
assertEquals("eeee", a.getSubString(-1));
try {
a.getSubString(9);
} catch (Exception e) {
assertTrue(e instanceof IndexOutOfBoundsException);
}
} | testGetSubString | [
"size",
"get",
"size",
"get",
"size"
] | [
"getSubString",
"assertTrue",
"addHead",
"assertEquals",
"getSubString",
"assertEquals",
"getSubString",
"assertEquals",
"getSubString",
"getSubString",
"assertTrue",
"addTail",
"assertEquals",
"getSubString",
"assertEquals",
"getSubString",
"assertEquals",
"getSubString",
"assertEquals",
"getSubString",
"getSubString",
"assertTrue"
] | {
"class_fields": "",
"class_name": "StringContainerTest"
} | {
"class_fields": "private final String joinSeparator;\nprivate StringBuilder stringBuilder;\nprivate ArrayList<String> sequenceList;\nprivate ArrayList<String> reverseList;\nprivate int totalLength = 0;\nprivate int count = 0;\nprivate boolean isUpdated = true;\nprivate String cache;",
"class_name": "StringContainer",
"method_signatures": "public StringContainer()\npublic StringContainer(String joinSeparator)\npublic StringContainer(String[] strings)\npublic StringContainer(String[] strings, String joinSeparator)\npublic int size()\npublic int length()\npublic ArrayList<String> getSequenceList()\npublic ArrayList<String> getReverseList()\npublic StringContainer addTail(Object... objs)\npublic StringContainer addTail(String... strings)\npublic StringContainer addTail(StringContainer myContainer)\npublic StringContainer addHead(String... strings)\npublic StringContainer addHead(StringContainer myContainer)\n@Override public String toString()\npublic String join(String separator)\npublic String getSubString(int index)\npublic StringContainer getSubStringContainer(int start, int end)\n@Override public int hashCode()\n@Override public boolean equals(Object sc)\npublic boolean equals(StringContainer sc)\n@Override public StringContainer clone()"
} | [
{
"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: tsfile/src/main/java/org/apache/iotdb/tsfile/utils/StringContainer.java for which to generate the test case is:\nclass_name: StringContainer\n\nclass_fields: private final String joinSeparator;\nprivate StringBuilder stringBuilder;\nprivate ArrayList<String> sequenceList;\nprivate ArrayList<String> reverseList;\nprivate int totalLength = 0;\nprivate int count = 0;\nprivate boolean isUpdated = true;\nprivate String cache;\n\nmethod_signatures: public StringContainer()\npublic StringContainer(String joinSeparator)\npublic StringContainer(String[] strings)\npublic StringContainer(String[] strings, String joinSeparator)\npublic int size()\npublic int length()\npublic ArrayList<String> getSequenceList()\npublic ArrayList<String> getReverseList()\npublic StringContainer addTail(Object... objs)\npublic StringContainer addTail(String... strings)\npublic StringContainer addTail(StringContainer myContainer)\npublic StringContainer addHead(String... strings)\npublic StringContainer addHead(StringContainer myContainer)\n@Override public String toString()\npublic String join(String separator)\npublic String getSubString(int index)\npublic StringContainer getSubStringContainer(int start, int end)\n@Override public int hashCode()\n@Override public boolean equals(Object sc)\npublic boolean equals(StringContainer sc)\n@Override public StringContainer clone()\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: StringContainerTest\n\nclass_fields: \n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file tsfile/src/main/java/org/apache/iotdb/tsfile/utils/StringContainer.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public String getSubString(int index) {\n int realIndex = index >= 0 ? index : count + index;\n if (realIndex < 0 || realIndex >= count) {\n throw new IndexOutOfBoundsException(\n \"Index: \" + index + \", Real Index: \" + realIndex + \", Size: \" + count);\n }\n if (realIndex < reverseList.size()) {\n return reverseList.get(reverseList.size() - 1 - realIndex);\n } else {\n return sequenceList.get(realIndex - reverseList.size());\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 tsfile/src/test/java/org/apache/iotdb/tsfile/utils/StringContainerTest.java\n </TESTFILE7041>\n @Test\n public void testGetSubString() {\n StringContainer a = new StringContainer();\n try {\n a.getSubString(0);\n } catch (Exception e) {\n assertTrue(e instanceof IndexOutOfBoundsException);\n }\n a.addHead(\"a\", \"bbb\", \"cc\");\n assertEquals(\"a\", a.getSubString(0));\n assertEquals(\"cc\", a.getSubString(-1));\n assertEquals(\"bbb\", a.getSubString(-2));\n try {\n a.getSubString(4);\n } catch (Exception e) {\n assertTrue(e instanceof IndexOutOfBoundsException);\n }\n a.addTail(\"dd\", \"eeee\");\n assertEquals(\"a\", a.getSubString(0));\n assertEquals(\"cc\", a.getSubString(-3));\n assertEquals(\"dd\", a.getSubString(3));\n assertEquals(\"eeee\", a.getSubString(-1));\n try {\n a.getSubString(9);\n } catch (Exception e) {\n assertTrue(e instanceof IndexOutOfBoundsException);\n }\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lmco/eurekastreams | java | server/src/main/java/org/eurekastreams/server/service/actions/strategies/links/HtmlLinkTitleParser.java | server/src/test/java/org/eurekastreams/server/service/actions/strategies/links/HtmlLinkTitleParserTest.java | @Override
public void parseInformation(final String htmlString, final LinkInformation link, final String inAccountId)
{
Pattern titlePattern = Pattern.compile("<title>(.*?)</title>", Pattern.CASE_INSENSITIVE);
Matcher matcher = titlePattern.matcher(htmlString);
String title = "";
if (matcher.find())
{
title = StringEscapeUtils.unescapeHtml(matcher.group(1));
log.info("Found title: " + title);
}
else
{
title = link.getUrl();
}
if (title.length() > maxLength)
{
String endWith = "...";
title = title.substring(0, maxLength - (1 + endWith.length()));
title += endWith;
}
link.setTitle(title);
} | parseInformation | @Test
public final void parseTitleTest()
{
final String html = "<html><title>Some webpage</title></html>";
final LinkInformation link = new LinkInformation();
sut.parseInformation(html, link, TEST_ACCOUNT);
Assert.assertEquals("Some webpage", link.getTitle());
} | parseTitleTest | [
"compile",
"matcher",
"find",
"unescapeHtml",
"group",
"info",
"getUrl",
"length",
"substring",
"length",
"setTitle"
] | [
"parseInformation",
"assertEquals",
"getTitle"
] | {
"class_fields": "private HtmlLinkTitleParser sut;\nprivate static final String TEST_ACCOUNT = \"testaccount\";",
"class_name": "HtmlLinkTitleParserTest"
} | {
"class_fields": "private Log log = LogFactory.getLog(HtmlLinkTitleParser.class);\nprivate int maxLength = 0;",
"class_name": "HtmlLinkTitleParser implements HtmlLinkInformationParserStrategy",
"method_signatures": "public HtmlLinkTitleParser(final int inMaxLength)\n@Override public void parseInformation(final String htmlString, final LinkInformation link, final String inAccountId)"
} | [
{
"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: server/src/main/java/org/eurekastreams/server/service/actions/strategies/links/HtmlLinkTitleParser.java for which to generate the test case is:\nclass_name: HtmlLinkTitleParser implements HtmlLinkInformationParserStrategy\n\nclass_fields: private Log log = LogFactory.getLog(HtmlLinkTitleParser.class);\nprivate int maxLength = 0;\n\nmethod_signatures: public HtmlLinkTitleParser(final int inMaxLength)\n@Override public void parseInformation(final String htmlString, final LinkInformation link, final String inAccountId)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: HtmlLinkTitleParserTest\n\nclass_fields: private HtmlLinkTitleParser sut;\nprivate static final String TEST_ACCOUNT = \"testaccount\";\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file server/src/main/java/org/eurekastreams/server/service/actions/strategies/links/HtmlLinkTitleParser.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public void parseInformation(final String htmlString, final LinkInformation link, final String inAccountId)\n {\n Pattern titlePattern = Pattern.compile(\"<title>(.*?)</title>\", Pattern.CASE_INSENSITIVE);\n Matcher matcher = titlePattern.matcher(htmlString);\n String title = \"\";\n\n if (matcher.find())\n {\n title = StringEscapeUtils.unescapeHtml(matcher.group(1));\n log.info(\"Found title: \" + title);\n }\n else\n {\n title = link.getUrl();\n }\n\n if (title.length() > maxLength)\n {\n String endWith = \"...\";\n title = title.substring(0, maxLength - (1 + endWith.length()));\n title += endWith;\n }\n\n link.setTitle(title);\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 server/src/test/java/org/eurekastreams/server/service/actions/strategies/links/HtmlLinkTitleParserTest.java\n </TESTFILE7041>\n @Test\n public final void parseTitleTest()\n {\n final String html = \"<html><title>Some webpage</title></html>\";\n final LinkInformation link = new LinkInformation();\n\n sut.parseInformation(html, link, TEST_ACCOUNT);\n\n Assert.assertEquals(\"Some webpage\", link.getTitle());\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/apache/incubator-gobblin | java | gobblin-core/src/main/java/org/apache/gobblin/publisher/BaseDataPublisher.java | gobblin-core/src/test/java/org/apache/gobblin/publisher/BaseDataPublisherTest.java | @Override
public void publishMetadata(Collection<? extends WorkUnitState> states)
throws IOException {
Set<String> partitions = new HashSet<>();
// There should be one merged metadata file per branch; first merge all of the pieces together
mergeMetadataAndCollectPartitionNames(states, partitions);
partitions.removeIf(Objects::isNull);
// Now, pick an arbitrary WorkUnitState to get config information around metadata such as
// the desired output filename. We assume that publisher config settings
// are the same across all workunits so it doesn't really matter which workUnit we retrieve this information
// from.
WorkUnitState anyState = states.iterator().next();
for (int branchId = 0; branchId < numBranches; branchId++) {
String mdOutputPath = getMetadataOutputPathFromState(anyState, branchId);
String userSpecifiedPath = getUserSpecifiedOutputPathFromState(anyState, branchId);
if (partitions.isEmpty() || userSpecifiedPath != null) {
publishMetadata(getMergedMetadataForPartitionAndBranch(null, branchId),
branchId,
getMetadataOutputFileForBranch(anyState, branchId));
} else {
String metadataFilename = getMetadataFileNameForBranch(anyState, branchId);
if (mdOutputPath == null || metadataFilename == null) {
LOG.info("Metadata filename not set for branch " + String.valueOf(branchId) + ": not publishing metadata.");
continue;
}
for (String partition : partitions) {
publishMetadata(getMergedMetadataForPartitionAndBranch(partition, branchId),
branchId,
new Path(new Path(mdOutputPath, partition), metadataFilename));
}
}
}
} | publishMetadata | @Test
public void testWithPartitionKey() throws IOException {
File publishPath = Files.createTempDir();
try {
File part1 = new File(publishPath, "1-2-3-4");
part1.mkdir();
File part2 = new File(publishPath, "5-6-7-8");
part2.mkdir();
State s = buildDefaultState(1);
String md = new GlobalMetadata().toJson();
s.removeProp(ConfigurationKeys.DATA_PUBLISHER_METADATA_OUTPUT_DIR);
s.setProp(ConfigurationKeys.DATA_PUBLISH_WRITER_METADATA_KEY, "true");
s.setProp(ConfigurationKeys.WRITER_METADATA_KEY, md);
s.setProp(ConfigurationKeys.DATA_PUBLISHER_FINAL_DIR, publishPath.getAbsolutePath());
s.setProp(ConfigurationKeys.DATA_PUBLISHER_APPEND_EXTRACT_TO_FINAL_DIR, "false");
s.setProp(ConfigurationKeys.DATA_PUBLISHER_METADATA_OUTPUT_FILE, "metadata.json");
WorkUnitState wuState1 = new WorkUnitState();
wuState1.setProp(ConfigurationKeys.WRITER_PARTITION_PATH_KEY, "1-2-3-4");
wuState1.setProp(ConfigurationKeys.WRITER_METADATA_KEY, md);
addStateToWorkunit(s, wuState1);
WorkUnitState wuState2 = new WorkUnitState();
wuState2.setProp(ConfigurationKeys.WRITER_PARTITION_PATH_KEY, "5-6-7-8");
wuState2.setProp(ConfigurationKeys.WRITER_METADATA_KEY, md);
addStateToWorkunit(s, wuState2);
BaseDataPublisher publisher = new BaseDataPublisher(s);
publisher.publishMetadata(ImmutableList.of(wuState1, wuState2));
Assert.assertTrue(new File(part1, "metadata.json").exists());
Assert.assertTrue(new File(part2, "metadata.json").exists());
} finally {
FileUtils.deleteDirectory(publishPath);
}
} | testWithPartitionKey | [
"mergeMetadataAndCollectPartitionNames",
"removeIf",
"next",
"iterator",
"getMetadataOutputPathFromState",
"getUserSpecifiedOutputPathFromState",
"isEmpty",
"publishMetadata",
"getMergedMetadataForPartitionAndBranch",
"getMetadataOutputFileForBranch",
"getMetadataFileNameForBranch",
"info",
"valueOf",
"publishMetadata",
"getMergedMetadataForPartitionAndBranch"
] | [
"createTempDir",
"mkdir",
"mkdir",
"buildDefaultState",
"toJson",
"removeProp",
"setProp",
"setProp",
"setProp",
"getAbsolutePath",
"setProp",
"setProp",
"setProp",
"setProp",
"addStateToWorkunit",
"setProp",
"setProp",
"addStateToWorkunit",
"publishMetadata",
"of",
"assertTrue",
"exists",
"assertTrue",
"exists",
"deleteDirectory"
] | {
"class_fields": "private static final Type PARTITION_LIST_TYPE = new TypeToken<ArrayList<PartitionDescriptor>>(){}.getType();\nprivate static final Gson GSON =\n new GsonBuilder().registerTypeAdapterFactory(new GsonInterfaceAdapter(Descriptor.class)).create();",
"class_name": "BaseDataPublisherTest"
} | {
"class_fields": "private static final Logger LOG = LoggerFactory.getLogger(BaseDataPublisher.class);\nprotected final int numBranches;\nprotected final List<FileSystem> writerFileSystemByBranches;\nprotected final List<FileSystem> publisherFileSystemByBranches;\nprotected final List<FileSystem> metaDataWriterFileSystemByBranches;\nprotected final List<Optional<String>> publisherFinalDirOwnerGroupsByBranches;\nprotected final List<FsPermission> permissions;\nprotected final Closer closer;\nprotected final Closer parallelRunnerCloser;\nprotected final int parallelRunnerThreads;\nprotected final Map<String, ParallelRunner> parallelRunners = Maps.newHashMap();\nprotected final Set<Path> publisherOutputDirs = Sets.newHashSet();\nprotected final Optional<LineageInfo> lineageInfo;\nprotected final Map<PartitionIdentifier, MetadataMerger<String>> metadataMergers;\nprotected final boolean shouldRetry;\nstatic final String DATA_PUBLISHER_RETRY_PREFIX = ConfigurationKeys.DATA_PUBLISHER_PREFIX + \".retry.\";\nstatic final String PUBLISH_RETRY_ENABLED = DATA_PUBLISHER_RETRY_PREFIX + \"enabled\";\nstatic final Config PUBLISH_RETRY_DEFAULTS;\nprotected final Config retrierConfig;",
"class_name": "BaseDataPublisher extends SingleTaskDataPublisher",
"method_signatures": "public BaseDataPublisher(State state)\nprivate MetadataMerger<String> buildMetadataMergerForBranch(String metadataFromConfig, int branchId,\n Path existingMetadataPath)\nprivate String loadExistingMetadata(Path metadataFilename, int branchId)\n@Override public void initialize()\n@Override public void close()\nprivate void addLineageInfo(WorkUnitState state, int branchId)\nprotected DatasetDescriptor createDestinationDescriptor(WorkUnitState state, int branchId)\n@Override public void publishData(WorkUnitState state)\nprivate void publishSingleTaskData(WorkUnitState state, int branchId)\n@Override public void publishData(Collection<? extends WorkUnitState> states)\nprotected void publishMultiTaskData(WorkUnitState state, int branchId, Set<Path> writerOutputPathsMoved)\nprotected void publishData(WorkUnitState state, int branchId, boolean publishSingleTaskData,\n Set<Path> writerOutputPathsMoved)\nprotected Path getPublisherOutputDir(WorkUnitState workUnitState, int branchId)\nprotected void addSingleTaskWriterOutputToExistingDir(Path writerOutputDir, Path publisherOutputDir,\n WorkUnitState workUnitState, int branchId, ParallelRunner parallelRunner)\nprotected void addWriterOutputToExistingDir(Path writerOutputDir, Path publisherOutputDir,\n WorkUnitState workUnitState, int branchId, ParallelRunner parallelRunner)\nprotected void movePath(ParallelRunner parallelRunner, State state, Path src, Path dst, int branchId)\nprotected Collection<Path> recordPublisherOutputDirs(Path src, Path dst, int branchId)\nprivate ParallelRunner getParallelRunner(FileSystem fs)\n@Override public void publishMetadata(Collection<? extends WorkUnitState> states)\nprivate void mergeMetadataAndCollectPartitionNames(Collection<? extends WorkUnitState> states,\n Set<String> partitionPaths)\n@Override public void publishMetadata(WorkUnitState state)\nprivate void publishMetadata(String metadataValue, int branchId, Path metadataOutputPath)\nprivate String getMetadataFileNameForBranch(WorkUnitState state, int branchId)\nprivate Path getMetadataOutputFileForBranch(WorkUnitState state, int branchId)\nprivate String getUserSpecifiedOutputPathFromState(WorkUnitState state, int branchId)\nprivate String getMetadataOutputPathFromState(WorkUnitState state, int branchId)\nprivate String getIntermediateMetadataFromState(WorkUnitState state, int branchId)\nprivate String getMergedMetadataForPartitionAndBranch(String partitionId, int branchId)\nprivate boolean shouldPublishWriterMetadataForBranch(int branchId)\nprivate String getMetadataFromWorkUnitState(WorkUnitState workUnitState)\n@Override protected boolean shouldPublishMetadataFirst()"
} | [
{
"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: gobblin-core/src/main/java/org/apache/gobblin/publisher/BaseDataPublisher.java for which to generate the test case is:\nclass_name: BaseDataPublisher extends SingleTaskDataPublisher\n\nclass_fields: private static final Logger LOG = LoggerFactory.getLogger(BaseDataPublisher.class);\nprotected final int numBranches;\nprotected final List<FileSystem> writerFileSystemByBranches;\nprotected final List<FileSystem> publisherFileSystemByBranches;\nprotected final List<FileSystem> metaDataWriterFileSystemByBranches;\nprotected final List<Optional<String>> publisherFinalDirOwnerGroupsByBranches;\nprotected final List<FsPermission> permissions;\nprotected final Closer closer;\nprotected final Closer parallelRunnerCloser;\nprotected final int parallelRunnerThreads;\nprotected final Map<String, ParallelRunner> parallelRunners = Maps.newHashMap();\nprotected final Set<Path> publisherOutputDirs = Sets.newHashSet();\nprotected final Optional<LineageInfo> lineageInfo;\nprotected final Map<PartitionIdentifier, MetadataMerger<String>> metadataMergers;\nprotected final boolean shouldRetry;\nstatic final String DATA_PUBLISHER_RETRY_PREFIX = ConfigurationKeys.DATA_PUBLISHER_PREFIX + \".retry.\";\nstatic final String PUBLISH_RETRY_ENABLED = DATA_PUBLISHER_RETRY_PREFIX + \"enabled\";\nstatic final Config PUBLISH_RETRY_DEFAULTS;\nprotected final Config retrierConfig;\n\nmethod_signatures: public BaseDataPublisher(State state)\nprivate MetadataMerger<String> buildMetadataMergerForBranch(String metadataFromConfig, int branchId,\n Path existingMetadataPath)\nprivate String loadExistingMetadata(Path metadataFilename, int branchId)\n@Override public void initialize()\n@Override public void close()\nprivate void addLineageInfo(WorkUnitState state, int branchId)\nprotected DatasetDescriptor createDestinationDescriptor(WorkUnitState state, int branchId)\n@Override public void publishData(WorkUnitState state)\nprivate void publishSingleTaskData(WorkUnitState state, int branchId)\n@Override public void publishData(Collection<? extends WorkUnitState> states)\nprotected void publishMultiTaskData(WorkUnitState state, int branchId, Set<Path> writerOutputPathsMoved)\nprotected void publishData(WorkUnitState state, int branchId, boolean publishSingleTaskData,\n Set<Path> writerOutputPathsMoved)\nprotected Path getPublisherOutputDir(WorkUnitState workUnitState, int branchId)\nprotected void addSingleTaskWriterOutputToExistingDir(Path writerOutputDir, Path publisherOutputDir,\n WorkUnitState workUnitState, int branchId, ParallelRunner parallelRunner)\nprotected void addWriterOutputToExistingDir(Path writerOutputDir, Path publisherOutputDir,\n WorkUnitState workUnitState, int branchId, ParallelRunner parallelRunner)\nprotected void movePath(ParallelRunner parallelRunner, State state, Path src, Path dst, int branchId)\nprotected Collection<Path> recordPublisherOutputDirs(Path src, Path dst, int branchId)\nprivate ParallelRunner getParallelRunner(FileSystem fs)\n@Override public void publishMetadata(Collection<? extends WorkUnitState> states)\nprivate void mergeMetadataAndCollectPartitionNames(Collection<? extends WorkUnitState> states,\n Set<String> partitionPaths)\n@Override public void publishMetadata(WorkUnitState state)\nprivate void publishMetadata(String metadataValue, int branchId, Path metadataOutputPath)\nprivate String getMetadataFileNameForBranch(WorkUnitState state, int branchId)\nprivate Path getMetadataOutputFileForBranch(WorkUnitState state, int branchId)\nprivate String getUserSpecifiedOutputPathFromState(WorkUnitState state, int branchId)\nprivate String getMetadataOutputPathFromState(WorkUnitState state, int branchId)\nprivate String getIntermediateMetadataFromState(WorkUnitState state, int branchId)\nprivate String getMergedMetadataForPartitionAndBranch(String partitionId, int branchId)\nprivate boolean shouldPublishWriterMetadataForBranch(int branchId)\nprivate String getMetadataFromWorkUnitState(WorkUnitState workUnitState)\n@Override protected boolean shouldPublishMetadataFirst()\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: BaseDataPublisherTest\n\nclass_fields: private static final Type PARTITION_LIST_TYPE = new TypeToken<ArrayList<PartitionDescriptor>>(){}.getType();\nprivate static final Gson GSON =\n new GsonBuilder().registerTypeAdapterFactory(new GsonInterfaceAdapter(Descriptor.class)).create();\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file gobblin-core/src/main/java/org/apache/gobblin/publisher/BaseDataPublisher.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public void publishMetadata(Collection<? extends WorkUnitState> states)\n throws IOException {\n Set<String> partitions = new HashSet<>();\n\n // There should be one merged metadata file per branch; first merge all of the pieces together\n mergeMetadataAndCollectPartitionNames(states, partitions);\n partitions.removeIf(Objects::isNull);\n\n // Now, pick an arbitrary WorkUnitState to get config information around metadata such as\n // the desired output filename. We assume that publisher config settings\n // are the same across all workunits so it doesn't really matter which workUnit we retrieve this information\n // from.\n\n WorkUnitState anyState = states.iterator().next();\n for (int branchId = 0; branchId < numBranches; branchId++) {\n String mdOutputPath = getMetadataOutputPathFromState(anyState, branchId);\n String userSpecifiedPath = getUserSpecifiedOutputPathFromState(anyState, branchId);\n\n if (partitions.isEmpty() || userSpecifiedPath != null) {\n publishMetadata(getMergedMetadataForPartitionAndBranch(null, branchId),\n branchId,\n getMetadataOutputFileForBranch(anyState, branchId));\n } else {\n String metadataFilename = getMetadataFileNameForBranch(anyState, branchId);\n if (mdOutputPath == null || metadataFilename == null) {\n LOG.info(\"Metadata filename not set for branch \" + String.valueOf(branchId) + \": not publishing metadata.\");\n continue;\n }\n\n for (String partition : partitions) {\n publishMetadata(getMergedMetadataForPartitionAndBranch(partition, branchId),\n branchId,\n new Path(new Path(mdOutputPath, partition), metadataFilename));\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 gobblin-core/src/test/java/org/apache/gobblin/publisher/BaseDataPublisherTest.java\n </TESTFILE7041>\n @Test\n public void testWithPartitionKey() throws IOException {\n File publishPath = Files.createTempDir();\n try {\n File part1 = new File(publishPath, \"1-2-3-4\");\n part1.mkdir();\n\n File part2 = new File(publishPath, \"5-6-7-8\");\n part2.mkdir();\n\n State s = buildDefaultState(1);\n String md = new GlobalMetadata().toJson();\n\n s.removeProp(ConfigurationKeys.DATA_PUBLISHER_METADATA_OUTPUT_DIR);\n s.setProp(ConfigurationKeys.DATA_PUBLISH_WRITER_METADATA_KEY, \"true\");\n s.setProp(ConfigurationKeys.WRITER_METADATA_KEY, md);\n s.setProp(ConfigurationKeys.DATA_PUBLISHER_FINAL_DIR, publishPath.getAbsolutePath());\n s.setProp(ConfigurationKeys.DATA_PUBLISHER_APPEND_EXTRACT_TO_FINAL_DIR, \"false\");\n s.setProp(ConfigurationKeys.DATA_PUBLISHER_METADATA_OUTPUT_FILE, \"metadata.json\");\n\n WorkUnitState wuState1 = new WorkUnitState();\n wuState1.setProp(ConfigurationKeys.WRITER_PARTITION_PATH_KEY, \"1-2-3-4\");\n wuState1.setProp(ConfigurationKeys.WRITER_METADATA_KEY, md);\n addStateToWorkunit(s, wuState1);\n\n WorkUnitState wuState2 = new WorkUnitState();\n wuState2.setProp(ConfigurationKeys.WRITER_PARTITION_PATH_KEY, \"5-6-7-8\");\n wuState2.setProp(ConfigurationKeys.WRITER_METADATA_KEY, md);\n addStateToWorkunit(s, wuState2);\n\n BaseDataPublisher publisher = new BaseDataPublisher(s);\n publisher.publishMetadata(ImmutableList.of(wuState1, wuState2));\n\n Assert.assertTrue(new File(part1, \"metadata.json\").exists());\n Assert.assertTrue(new File(part2, \"metadata.json\").exists());\n } finally {\n FileUtils.deleteDirectory(publishPath);\n }\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lmco/eurekastreams | java | server/src/main/java/org/eurekastreams/server/search/bridge/IsPersonVisibleInSearchClassBridge.java | server/src/test/java/org/eurekastreams/server/search/bridge/IsPersonVisibleInSearchClassBridgeTest.java | @Override
public String objectToString(final Object inPersonObj)
{
if (inPersonObj == null)
{
log.error("Object to convert is null.");
return null;
}
if (!(inPersonObj instanceof Person))
{
log.error("Object to convert is not a Person.");
return null;
}
Person person = (Person) inPersonObj;
return person.isAccountLocked() || person.isAccountDeactivated() ? "f" : "t";
} | objectToString | @Test
public void testObjectToStringNullInput()
{
assertNull(sut.objectToString(null));
} | testObjectToStringNullInput | [
"error",
"error",
"isAccountLocked",
"isAccountDeactivated"
] | [
"assertNull",
"objectToString"
] | {
"class_fields": "private final IsPersonVisibleInSearchClassBridge sut = new IsPersonVisibleInSearchClassBridge();",
"class_name": "IsPersonVisibleInSearchClassBridgeTest"
} | {
"class_fields": "private final Logger log = LoggerFactory.getLogger(LogFactory.getClassName());",
"class_name": "IsPersonVisibleInSearchClassBridge implements StringBridge",
"method_signatures": "@Override public String objectToString(final Object inPersonObj)"
} | [
{
"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: server/src/main/java/org/eurekastreams/server/search/bridge/IsPersonVisibleInSearchClassBridge.java for which to generate the test case is:\nclass_name: IsPersonVisibleInSearchClassBridge implements StringBridge\n\nclass_fields: private final Logger log = LoggerFactory.getLogger(LogFactory.getClassName());\n\nmethod_signatures: @Override public String objectToString(final Object inPersonObj)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: IsPersonVisibleInSearchClassBridgeTest\n\nclass_fields: private final IsPersonVisibleInSearchClassBridge sut = new IsPersonVisibleInSearchClassBridge();\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file server/src/main/java/org/eurekastreams/server/search/bridge/IsPersonVisibleInSearchClassBridge.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public String objectToString(final Object inPersonObj)\n {\n if (inPersonObj == null)\n {\n log.error(\"Object to convert is null.\");\n return null;\n }\n if (!(inPersonObj instanceof Person))\n {\n log.error(\"Object to convert is not a Person.\");\n return null;\n }\n\n Person person = (Person) inPersonObj;\n return person.isAccountLocked() || person.isAccountDeactivated() ? \"f\" : \"t\";\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 server/src/test/java/org/eurekastreams/server/search/bridge/IsPersonVisibleInSearchClassBridgeTest.java\n </TESTFILE7041>\n @Test\n public void testObjectToStringNullInput()\n {\n assertNull(sut.objectToString(null));\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lmco/eurekastreams | java | server/src/main/java/org/eurekastreams/server/persistence/mappers/db/SetLikedSharedResourceStatusDbMapper.java | server/src/test/java/org/eurekastreams/server/persistence/mappers/db/SetLikedSharedResourceStatusDbMapperTest.java | @Override
public Boolean execute(final SetSharedResourceLikeMapperRequest inRequest)
{
// delete any existing like - simplifies logic
getEntityManager().createQuery(
"DELETE LikedSharedResource WHERE pk.personId = :personId "
+ "AND pk.sharedResourceId = :sharedResourceId").setParameter("personId",
inRequest.getPersonId()).setParameter("sharedResourceId", inRequest.getSharedResource().getId())
.executeUpdate();
// like if requested
if (inRequest.getLikedStatus())
{
LikedSharedResource sharedResource = new LikedSharedResource(inRequest.getSharedResource().getId(),
inRequest.getPersonId());
getEntityManager().persist(sharedResource);
}
return true;
} | execute | @Test
public void testLikeWhenLiked()
{
List<LikedSharedResource> likedResources = getEntityManager().createQuery(
"FROM LikedSharedResource where pk.personId = :personId AND pk.sharedResourceId = :sharedResourceId")
.setParameter("personId", personId).setParameter("sharedResourceId", likedLinkId).getResultList();
assertEquals(1, likedResources.size());
getEntityManager().clear();
sut.execute(new SetSharedResourceLikeMapperRequest(personId, likedSr, true));
likedResources = getEntityManager().createQuery(
"FROM LikedSharedResource where pk.personId = :personId AND pk.sharedResourceId = :sharedResourceId")
.setParameter("personId", personId).setParameter("sharedResourceId", likedLinkId).getResultList();
assertEquals(1, likedResources.size());
} | testLikeWhenLiked | [
"executeUpdate",
"setParameter",
"setParameter",
"createQuery",
"getEntityManager",
"getPersonId",
"getId",
"getSharedResource",
"getLikedStatus",
"getId",
"getSharedResource",
"getPersonId",
"persist",
"getEntityManager"
] | [
"getResultList",
"setParameter",
"setParameter",
"createQuery",
"getEntityManager",
"assertEquals",
"size",
"clear",
"getEntityManager",
"execute",
"getResultList",
"setParameter",
"setParameter",
"createQuery",
"getEntityManager",
"assertEquals",
"size"
] | {
"class_fields": "private final Mockery context = new JUnit4Mockery()\n {\n {\n setImposteriser(ClassImposteriser.INSTANCE);\n }\n };\nprivate SetLikedSharedResourceStatusDbMapper sut;\nprivate final long personId = 42L;\nprivate final long likedLinkId = 5L;\nprivate final long unlikedLinkId = 6L;\nprivate final SharedResource likedSr = context.mock(SharedResource.class, \"followed\");\nprivate final SharedResource unlikedSr = context.mock(SharedResource.class, \"not followed\");",
"class_name": "SetLikedSharedResourceStatusDbMapperTest extends MapperTest"
} | {
"class_fields": "private Log log = LogFactory.make();",
"class_name": "SetLikedSharedResourceStatusDbMapper extends\n BaseArgDomainMapper<SetSharedResourceLikeMapperRequest, Boolean>",
"method_signatures": "@Override public Boolean execute(final SetSharedResourceLikeMapperRequest inRequest)"
} | [
{
"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: server/src/main/java/org/eurekastreams/server/persistence/mappers/db/SetLikedSharedResourceStatusDbMapper.java for which to generate the test case is:\nclass_name: SetLikedSharedResourceStatusDbMapper extends\n BaseArgDomainMapper<SetSharedResourceLikeMapperRequest, Boolean>\n\nclass_fields: private Log log = LogFactory.make();\n\nmethod_signatures: @Override public Boolean execute(final SetSharedResourceLikeMapperRequest inRequest)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: SetLikedSharedResourceStatusDbMapperTest extends MapperTest\n\nclass_fields: private final Mockery context = new JUnit4Mockery()\n {\n {\n setImposteriser(ClassImposteriser.INSTANCE);\n }\n };\nprivate SetLikedSharedResourceStatusDbMapper sut;\nprivate final long personId = 42L;\nprivate final long likedLinkId = 5L;\nprivate final long unlikedLinkId = 6L;\nprivate final SharedResource likedSr = context.mock(SharedResource.class, \"followed\");\nprivate final SharedResource unlikedSr = context.mock(SharedResource.class, \"not followed\");\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file server/src/main/java/org/eurekastreams/server/persistence/mappers/db/SetLikedSharedResourceStatusDbMapper.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public Boolean execute(final SetSharedResourceLikeMapperRequest inRequest)\n {\n // delete any existing like - simplifies logic\n getEntityManager().createQuery(\n \"DELETE LikedSharedResource WHERE pk.personId = :personId \"\n + \"AND pk.sharedResourceId = :sharedResourceId\").setParameter(\"personId\",\n inRequest.getPersonId()).setParameter(\"sharedResourceId\", inRequest.getSharedResource().getId())\n .executeUpdate();\n\n // like if requested\n if (inRequest.getLikedStatus())\n {\n LikedSharedResource sharedResource = new LikedSharedResource(inRequest.getSharedResource().getId(),\n inRequest.getPersonId());\n getEntityManager().persist(sharedResource);\n }\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 server/src/test/java/org/eurekastreams/server/persistence/mappers/db/SetLikedSharedResourceStatusDbMapperTest.java\n </TESTFILE7041>\n @Test\n public void testLikeWhenLiked()\n {\n List<LikedSharedResource> likedResources = getEntityManager().createQuery(\n \"FROM LikedSharedResource where pk.personId = :personId AND pk.sharedResourceId = :sharedResourceId\")\n .setParameter(\"personId\", personId).setParameter(\"sharedResourceId\", likedLinkId).getResultList();\n\n assertEquals(1, likedResources.size());\n getEntityManager().clear();\n\n sut.execute(new SetSharedResourceLikeMapperRequest(personId, likedSr, true));\n\n likedResources = getEntityManager().createQuery(\n \"FROM LikedSharedResource where pk.personId = :personId AND pk.sharedResourceId = :sharedResourceId\")\n .setParameter(\"personId\", personId).setParameter(\"sharedResourceId\", likedLinkId).getResultList();\n\n assertEquals(1, likedResources.size());\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lmco/eurekastreams | java | server/src/main/java/org/eurekastreams/server/service/restlets/RecommendationsCollectionResource.java | server/src/test/java/org/eurekastreams/server/service/restlets/RecommendationsCollectionResourceTest.java | @Override
public void acceptRepresentation(final Representation entity) throws ResourceException
{
String json;
try
{
json = entity.getText();
log.debug("RecommendationsCollectionResource POST" + json);
JSONObject jsonReco = JSONObject.fromObject(json);
JSONObject jsonAuthor = jsonReco.getJSONObject(AUTHOR_KEY);
JSONObject jsonSubject = jsonReco.getJSONObject(SUBJECT_KEY);
Recommendation recommendation = new Recommendation(jsonSubject.getString(ID_KEY),
jsonAuthor.getString(ID_KEY), jsonReco.getString(TEXT_KEY));
getRecommendationMapper().insert(recommendation);
Map<String, Person> people = getPeopleInfoForRecommendations(recommendation);
JSONObject recoJSON = convertRecoToJSON(recommendation,
people.get(recommendation.getAuthorOpenSocialId()),
people.get(recommendation.getSubjectOpenSocialId()));
getAdaptedResponse().setEntity(recoJSON.toString(),
MediaType.APPLICATION_JSON);
}
catch (IOException e)
{
log.error("POST to RecommendationsCollection failed", e);
throw new ResourceException(Status.CLIENT_ERROR_BAD_REQUEST);
}
log.debug("RecommendationsCollectionResource POST " + entity.toString());
} | acceptRepresentation | @Test
public void acceptRepresentation() throws IOException, ResourceException
{
final Representation entity = context.mock(Representation.class);
final String json = buildJSONRecommendation();
final List<String> openSocialIds = new ArrayList<String>();
openSocialIds.add(AUTHOR_OPENSOCIAL_ID);
openSocialIds.add(SUBJECT_OPENSOCIAL_ID);
context.checking(new Expectations()
{
{
// note: this really needs to be called only one time
oneOf(entity).getText();
will(returnValue(json));
oneOf(recoMapper).insert(with(any(Recommendation.class)));
allowing(personMapper).findPeopleByOpenSocialIds(openSocialIds);
will(returnValue(people));
oneOf(responseAdapter).setEntity(buildJSONResponse(),
MediaType.APPLICATION_JSON);
}
});
sut.acceptRepresentation(entity);
context.assertIsSatisfied();
} | acceptRepresentation | [
"getText",
"debug",
"fromObject",
"getJSONObject",
"getJSONObject",
"getString",
"getString",
"getString",
"insert",
"getRecommendationMapper",
"getPeopleInfoForRecommendations",
"convertRecoToJSON",
"get",
"getAuthorOpenSocialId",
"get",
"getSubjectOpenSocialId",
"setEntity",
"getAdaptedResponse",
"toString",
"error",
"debug",
"toString"
] | [
"mock",
"buildJSONRecommendation",
"add",
"add",
"checking",
"getText",
"oneOf",
"will",
"returnValue",
"insert",
"oneOf",
"with",
"any",
"findPeopleByOpenSocialIds",
"allowing",
"will",
"returnValue",
"setEntity",
"oneOf",
"buildJSONResponse",
"acceptRepresentation",
"assertIsSatisfied"
] | {
"class_fields": "RecommendationsCollectionResource sut;\nprivate List<Person> people = new ArrayList<Person>();\nprivate final Mockery context = new JUnit4Mockery()\n {\n {\n setImposteriser(ClassImposteriser.INSTANCE);\n }\n };\nprivate RecommendationMapper recoMapper = context.mock(RecommendationMapper.class);\nprivate PersonMapper personMapper = context.mock(PersonMapper.class);\nprivate ResponseAdapter responseAdapter = context.mock(ResponseAdapter.class);\nprivate static final String SUBJECT_OPENSOCIAL_ID = UUID.randomUUID().toString();\nprivate static final String AUTHOR_OPENSOCIAL_ID = UUID.randomUUID().toString();\nprivate static final Date RECO_DATE = new Date();",
"class_name": "RecommendationsCollectionResourceTest"
} | {
"class_fields": "private Log log = LogFactory.getLog(RecommendationsCollectionResource.class);\nprivate String openSocialId;\nprivate int maxResults = 0;",
"class_name": "RecommendationsCollectionResource extends RecommendationsResource",
"method_signatures": "@Override protected void initParams(final Request request)\n@Override public Representation represent(final Variant variant)\n@Override public void acceptRepresentation(final Representation entity)"
} | [
{
"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: server/src/main/java/org/eurekastreams/server/service/restlets/RecommendationsCollectionResource.java for which to generate the test case is:\nclass_name: RecommendationsCollectionResource extends RecommendationsResource\n\nclass_fields: private Log log = LogFactory.getLog(RecommendationsCollectionResource.class);\nprivate String openSocialId;\nprivate int maxResults = 0;\n\nmethod_signatures: @Override protected void initParams(final Request request)\n@Override public Representation represent(final Variant variant)\n@Override public void acceptRepresentation(final Representation entity)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: RecommendationsCollectionResourceTest\n\nclass_fields: RecommendationsCollectionResource sut;\nprivate List<Person> people = new ArrayList<Person>();\nprivate final Mockery context = new JUnit4Mockery()\n {\n {\n setImposteriser(ClassImposteriser.INSTANCE);\n }\n };\nprivate RecommendationMapper recoMapper = context.mock(RecommendationMapper.class);\nprivate PersonMapper personMapper = context.mock(PersonMapper.class);\nprivate ResponseAdapter responseAdapter = context.mock(ResponseAdapter.class);\nprivate static final String SUBJECT_OPENSOCIAL_ID = UUID.randomUUID().toString();\nprivate static final String AUTHOR_OPENSOCIAL_ID = UUID.randomUUID().toString();\nprivate static final Date RECO_DATE = new Date();\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file server/src/main/java/org/eurekastreams/server/service/restlets/RecommendationsCollectionResource.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public void acceptRepresentation(final Representation entity) throws ResourceException\n {\n String json;\n try\n {\n json = entity.getText();\n log.debug(\"RecommendationsCollectionResource POST\" + json);\n\n JSONObject jsonReco = JSONObject.fromObject(json);\n JSONObject jsonAuthor = jsonReco.getJSONObject(AUTHOR_KEY);\n JSONObject jsonSubject = jsonReco.getJSONObject(SUBJECT_KEY);\n Recommendation recommendation = new Recommendation(jsonSubject.getString(ID_KEY), \n jsonAuthor.getString(ID_KEY), jsonReco.getString(TEXT_KEY));\n\n getRecommendationMapper().insert(recommendation);\n \n Map<String, Person> people = getPeopleInfoForRecommendations(recommendation);\n \n JSONObject recoJSON = convertRecoToJSON(recommendation, \n people.get(recommendation.getAuthorOpenSocialId()),\n people.get(recommendation.getSubjectOpenSocialId()));\n \n getAdaptedResponse().setEntity(recoJSON.toString(), \n MediaType.APPLICATION_JSON);\n }\n catch (IOException e)\n {\n log.error(\"POST to RecommendationsCollection failed\", e);\n throw new ResourceException(Status.CLIENT_ERROR_BAD_REQUEST);\n }\n\n log.debug(\"RecommendationsCollectionResource POST \" + entity.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 server/src/test/java/org/eurekastreams/server/service/restlets/RecommendationsCollectionResourceTest.java\n </TESTFILE7041>\n @Test\n public void acceptRepresentation() throws IOException, ResourceException\n {\n final Representation entity = context.mock(Representation.class);\n final String json = buildJSONRecommendation();\n final List<String> openSocialIds = new ArrayList<String>();\n openSocialIds.add(AUTHOR_OPENSOCIAL_ID);\n openSocialIds.add(SUBJECT_OPENSOCIAL_ID);\n context.checking(new Expectations()\n {\n {\n // note: this really needs to be called only one time\n oneOf(entity).getText();\n will(returnValue(json));\n \n oneOf(recoMapper).insert(with(any(Recommendation.class)));\n \n allowing(personMapper).findPeopleByOpenSocialIds(openSocialIds);\n will(returnValue(people));\n \n oneOf(responseAdapter).setEntity(buildJSONResponse(), \n MediaType.APPLICATION_JSON);\n }\n });\n \n sut.acceptRepresentation(entity);\n \n context.assertIsSatisfied();\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/mycila/license-maven-plugin | java | license-maven-plugin/src/main/java/com/mycila/maven/plugin/license/header/HeaderDefinition.java | license-maven-plugin/src/test/java/com/mycila/maven/plugin/license/header/HeaderDefinitionTest.java | public void validate() {
check("firstLine", this.firstLine);
check("beforeEachLine", this.beforeEachLine);
check("endLine", this.endLine);
check("afterEachLine", this.afterEachLine);
check("firstLineDetectionPattern", this.firstLineDetectionPattern);
check("lastLineDetectionPattern", this.lastLineDetectionPattern);
check("isMultiline", this.isMultiline);
check("allowBlankLines", this.allowBlankLines);
// skip line can be null
} | validate | @Test(expected = IllegalStateException.class)
public void test_missing_lastDetect() throws Exception {
HeaderDefinition def = new HeaderDefinition("aa", "firstLine", "before", "end", "", null, "firstDetect", "", false, false, false);
def.validate();
} | test_missing_lastDetect | [
"check",
"check",
"check",
"check",
"check",
"check",
"check",
"check"
] | [
"validate"
] | {
"class_fields": "",
"class_name": "HeaderDefinitionTest"
} | {
"class_fields": "private final String type;\nprivate String firstLine = \"\";\nprivate String beforeEachLine = \"\";\nprivate String endLine = \"\";\nprivate String afterEachLine = \"\";\nprivate Boolean allowBlankLines;\nprivate Pattern skipLinePattern;\nprivate Pattern firstLineDetectionPattern;\nprivate Pattern lastLineDetectionPattern;\nprivate Boolean isMultiline;\nprivate boolean padLines = false;",
"class_name": "HeaderDefinition",
"method_signatures": "public HeaderDefinition(String type,\n String firstLine, String beforeEachLine,\n String endLine, String afterEachLine,\n String skipLinePattern,\n String firstLineDetectionPattern, String lastLineDetectionPattern,\n boolean allowBlankLines, boolean isMultiline, boolean padLines)\npublic HeaderDefinition(String type)\nprivate Pattern compile(String regexp)\npublic String getFirstLine()\npublic String getBeforeEachLine()\npublic String getEndLine()\npublic String getAfterEachLine()\npublic String getType()\npublic boolean allowBlankLines()\npublic boolean isPadLines()\npublic boolean isSkipLine(String line)\npublic boolean isFirstHeaderLine(String line)\npublic boolean isLastHeaderLine(String line)\nprotected Pattern getSkipLinePattern()\npublic void setPropertyFromString(String property, String value)\npublic void validate()\nprivate void check(String name, Boolean value)\nprivate void check(String name, String value)\nprivate void check(String name, Pattern value)\nprivate boolean isEmpty(String s)\n@Override public boolean equals(Object o)\n@Override public int hashCode()\n@Override public String toString()\npublic boolean isMultiLine()"
} | [
{
"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: license-maven-plugin/src/main/java/com/mycila/maven/plugin/license/header/HeaderDefinition.java for which to generate the test case is:\nclass_name: HeaderDefinition\n\nclass_fields: private final String type;\nprivate String firstLine = \"\";\nprivate String beforeEachLine = \"\";\nprivate String endLine = \"\";\nprivate String afterEachLine = \"\";\nprivate Boolean allowBlankLines;\nprivate Pattern skipLinePattern;\nprivate Pattern firstLineDetectionPattern;\nprivate Pattern lastLineDetectionPattern;\nprivate Boolean isMultiline;\nprivate boolean padLines = false;\n\nmethod_signatures: public HeaderDefinition(String type,\n String firstLine, String beforeEachLine,\n String endLine, String afterEachLine,\n String skipLinePattern,\n String firstLineDetectionPattern, String lastLineDetectionPattern,\n boolean allowBlankLines, boolean isMultiline, boolean padLines)\npublic HeaderDefinition(String type)\nprivate Pattern compile(String regexp)\npublic String getFirstLine()\npublic String getBeforeEachLine()\npublic String getEndLine()\npublic String getAfterEachLine()\npublic String getType()\npublic boolean allowBlankLines()\npublic boolean isPadLines()\npublic boolean isSkipLine(String line)\npublic boolean isFirstHeaderLine(String line)\npublic boolean isLastHeaderLine(String line)\nprotected Pattern getSkipLinePattern()\npublic void setPropertyFromString(String property, String value)\npublic void validate()\nprivate void check(String name, Boolean value)\nprivate void check(String name, String value)\nprivate void check(String name, Pattern value)\nprivate boolean isEmpty(String s)\n@Override public boolean equals(Object o)\n@Override public int hashCode()\n@Override public String toString()\npublic boolean isMultiLine()\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: HeaderDefinitionTest\n\nclass_fields: \n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file license-maven-plugin/src/main/java/com/mycila/maven/plugin/license/header/HeaderDefinition.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public void validate() {\n check(\"firstLine\", this.firstLine);\n check(\"beforeEachLine\", this.beforeEachLine);\n check(\"endLine\", this.endLine);\n check(\"afterEachLine\", this.afterEachLine);\n check(\"firstLineDetectionPattern\", this.firstLineDetectionPattern);\n check(\"lastLineDetectionPattern\", this.lastLineDetectionPattern);\n check(\"isMultiline\", this.isMultiline);\n check(\"allowBlankLines\", this.allowBlankLines);\n // skip line can be null\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 license-maven-plugin/src/test/java/com/mycila/maven/plugin/license/header/HeaderDefinitionTest.java\n </TESTFILE7041>\n @Test(expected = IllegalStateException.class)\n public void test_missing_lastDetect() throws Exception {\n HeaderDefinition def = new HeaderDefinition(\"aa\", \"firstLine\", \"before\", \"end\", \"\", null, \"firstDetect\", \"\", false, false, false);\n def.validate();\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lmco/eurekastreams | java | server/src/main/java/org/eurekastreams/server/search/bridge/ActivityContentClassBridge.java | server/src/test/java/org/eurekastreams/server/search/bridge/ActivityContentClassBridgeTest.java | @Override
public String objectToString(final Object activityObject)
{
Activity activity = (Activity) activityObject;
List<CommentDTO> commentList = commentsByIdDAO.execute(commentIdsByActivityIdDAO.execute(activity.getId()));
final StringBuilder contentAsString = new StringBuilder();
String content = contentExtractor.extractContent(activity.getBaseObjectType(), activity.getBaseObject());
if (null != content)
{
contentAsString.append(content);
}
for (CommentDTO comment : commentList)
{
// Add a space between each comment.
contentAsString.append(" ");
contentAsString.append(comment.getBody());
}
// add the random constant
contentAsString.append(" ");
contentAsString.append(Activity.CONSTANT_KEYWORD_IN_EVERY_ACTIVITY_CONTENT);
return contentAsString.toString();
} | objectToString | @Test
public void testObjectToStringFromActivityBookmarkWithContent()
{
HashMap<String, String> baseObject = new HashMap<String, String>();
baseObject.put("content", content);
final Activity activity = new Activity();
activity.setBaseObjectType(BaseObjectType.BOOKMARK);
activity.setBaseObject(baseObject);
CONTEXT.checking(new Expectations()
{
{
oneOf(commentIdsByActivityIdDAO).execute(activity.getId());
will(returnValue(new ArrayList<Long>()));
oneOf(commentsByIdDAO).execute(with(any(ArrayList.class)));
will(returnValue(new ArrayList<CommentDTO>()));
}
});
assertEquals(content + constantKeywordComponent, sut.objectToString(activity).trim());
} | testObjectToStringFromActivityBookmarkWithContent | [
"execute",
"execute",
"getId",
"extractContent",
"getBaseObjectType",
"getBaseObject",
"append",
"append",
"append",
"getBody",
"append",
"append",
"toString"
] | [
"put",
"setBaseObjectType",
"setBaseObject",
"checking",
"execute",
"oneOf",
"getId",
"will",
"returnValue",
"execute",
"oneOf",
"with",
"any",
"will",
"returnValue",
"assertEquals",
"trim",
"objectToString"
] | {
"class_fields": "private static final Mockery CONTEXT = new JUnit4Mockery()\n {\n {\n setImposteriser(ClassImposteriser.INSTANCE);\n }\n };\nprivate ActivityContentClassBridge sut = new ActivityContentClassBridge();\nprivate final String description = \"sdlkfjsdlkjfsdjfsdkfsdfklsdjfsdjf\";\nprivate final String content = \"sldkjf lkjsdf sldkjf sldkfj sdlfkj sdfjkl\";\nprivate final String constantKeywordComponent = \" \" + Activity.CONSTANT_KEYWORD_IN_EVERY_ACTIVITY_CONTENT;\nprivate final String targetTitle = \"38skjsdlkj 2likjsd\";\nprivate static DomainMapper<Long, List<Long>> commentIdsByActivityIdDAO = CONTEXT.mock(DomainMapper.class);\nprivate static GetCommentsById commentsByIdDAO = CONTEXT.mock(GetCommentsById.class);",
"class_name": "ActivityContentClassBridgeTest"
} | {
"class_fields": "private ActivityContentExtractor contentExtractor = new ActivityContentExtractor();\nprivate static DomainMapper<Long, List<Long>> commentIdsByActivityIdDAO;\nprivate static DomainMapper<List<Long>, List<CommentDTO>> commentsByIdDAO;",
"class_name": "ActivityContentClassBridge implements StringBridge",
"method_signatures": "public static void setCommentDAOs(final DomainMapper<Long, List<Long>> inCommentIdsByActivityIdDAO,\n final DomainMapper<List<Long>, List<CommentDTO>> inCommentsByIdDAO)\n@Override public String objectToString(final Object activityObject)"
} | [
{
"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: server/src/main/java/org/eurekastreams/server/search/bridge/ActivityContentClassBridge.java for which to generate the test case is:\nclass_name: ActivityContentClassBridge implements StringBridge\n\nclass_fields: private ActivityContentExtractor contentExtractor = new ActivityContentExtractor();\nprivate static DomainMapper<Long, List<Long>> commentIdsByActivityIdDAO;\nprivate static DomainMapper<List<Long>, List<CommentDTO>> commentsByIdDAO;\n\nmethod_signatures: public static void setCommentDAOs(final DomainMapper<Long, List<Long>> inCommentIdsByActivityIdDAO,\n final DomainMapper<List<Long>, List<CommentDTO>> inCommentsByIdDAO)\n@Override public String objectToString(final Object activityObject)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: ActivityContentClassBridgeTest\n\nclass_fields: private static final Mockery CONTEXT = new JUnit4Mockery()\n {\n {\n setImposteriser(ClassImposteriser.INSTANCE);\n }\n };\nprivate ActivityContentClassBridge sut = new ActivityContentClassBridge();\nprivate final String description = \"sdlkfjsdlkjfsdjfsdkfsdfklsdjfsdjf\";\nprivate final String content = \"sldkjf lkjsdf sldkjf sldkfj sdlfkj sdfjkl\";\nprivate final String constantKeywordComponent = \" \" + Activity.CONSTANT_KEYWORD_IN_EVERY_ACTIVITY_CONTENT;\nprivate final String targetTitle = \"38skjsdlkj 2likjsd\";\nprivate static DomainMapper<Long, List<Long>> commentIdsByActivityIdDAO = CONTEXT.mock(DomainMapper.class);\nprivate static GetCommentsById commentsByIdDAO = CONTEXT.mock(GetCommentsById.class);\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file server/src/main/java/org/eurekastreams/server/search/bridge/ActivityContentClassBridge.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public String objectToString(final Object activityObject)\n {\n Activity activity = (Activity) activityObject;\n\n List<CommentDTO> commentList = commentsByIdDAO.execute(commentIdsByActivityIdDAO.execute(activity.getId()));\n\n final StringBuilder contentAsString = new StringBuilder();\n\n String content = contentExtractor.extractContent(activity.getBaseObjectType(), activity.getBaseObject());\n\n if (null != content)\n {\n contentAsString.append(content);\n }\n\n for (CommentDTO comment : commentList)\n {\n // Add a space between each comment.\n contentAsString.append(\" \");\n contentAsString.append(comment.getBody());\n }\n\n // add the random constant\n contentAsString.append(\" \");\n contentAsString.append(Activity.CONSTANT_KEYWORD_IN_EVERY_ACTIVITY_CONTENT);\n\n return contentAsString.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 server/src/test/java/org/eurekastreams/server/search/bridge/ActivityContentClassBridgeTest.java\n </TESTFILE7041>\n @Test\n public void testObjectToStringFromActivityBookmarkWithContent()\n {\n HashMap<String, String> baseObject = new HashMap<String, String>();\n baseObject.put(\"content\", content);\n\n final Activity activity = new Activity();\n activity.setBaseObjectType(BaseObjectType.BOOKMARK);\n activity.setBaseObject(baseObject);\n\n CONTEXT.checking(new Expectations()\n {\n {\n oneOf(commentIdsByActivityIdDAO).execute(activity.getId());\n will(returnValue(new ArrayList<Long>()));\n\n oneOf(commentsByIdDAO).execute(with(any(ArrayList.class)));\n will(returnValue(new ArrayList<CommentDTO>()));\n }\n });\n\n assertEquals(content + constantKeywordComponent, sut.objectToString(activity).trim());\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lmco/eurekastreams | java | server/src/main/java/org/eurekastreams/server/action/execution/opensocial/GetConsumerInfoExecution.java | server/src/test/java/org/eurekastreams/server/action/execution/opensocial/GetConsumerInfoExecutionTest.java | @Override
public Serializable execute(final PrincipalActionContext inActionContext) throws ExecutionException
{
GetConsumerInfoRequest request = (GetConsumerInfoRequest) inActionContext.getParams();
OAuthConsumer oauthConsumer = consumerMapper.execute(new OAuthConsumerRequest(request.getServiceName(), request
.getSecurityToken().getAppUrl()));
if (oauthConsumer == null)
{
throw new ExecutionException("OAuth Consumer was not found");
}
net.oauth.OAuthConsumer consumer = new net.oauth.OAuthConsumer(oauthConsumer.getCallbackURL(), oauthConsumer
.getConsumerKey(), oauthConsumer.getConsumerSecret(), request.getProvider());
consumer.setProperty(OAuth.OAUTH_SIGNATURE_METHOD, oauthConsumer.getSignatureMethod());
ConsumerInfo consumerInfo = new ConsumerInfo(consumer, null, oauthConsumer.getCallbackURL());
return new ConsumerInfoResponse(consumerInfo);
} | execute | @Test
public void testGetConsumerKeyAndSecret() throws Exception
{
context.checking(new Expectations()
{
{
oneOf(actionContext).getParams();
will(returnValue(new GetConsumerInfoRequest(securityToken, "serviceName", provider)));
oneOf(securityToken).getAppUrl();
will(returnValue("http://localhost:4040/some/path"));
oneOf(consumerMapper).execute(with(any(OAuthConsumerRequest.class)));
will(returnValue(new OAuthConsumer("", "", "", "", "")));
}
});
ConsumerInfoResponse response = (ConsumerInfoResponse) sut.execute(actionContext);
Assert.assertNotNull("Consumer was not found", response.getConsumerInfo());
context.assertIsSatisfied();
} | testGetConsumerKeyAndSecret | [
"getParams",
"execute",
"getServiceName",
"getAppUrl",
"getSecurityToken",
"getCallbackURL",
"getConsumerKey",
"getConsumerSecret",
"getProvider",
"setProperty",
"getSignatureMethod",
"getCallbackURL"
] | [
"checking",
"getParams",
"oneOf",
"will",
"returnValue",
"getAppUrl",
"oneOf",
"will",
"returnValue",
"execute",
"oneOf",
"with",
"any",
"will",
"returnValue",
"execute",
"assertNotNull",
"getConsumerInfo",
"assertIsSatisfied"
] | {
"class_fields": "private GetConsumerInfoExecution sut;\nprivate final Mockery context = new JUnit4Mockery()\n {\n {\n setImposteriser(ClassImposteriser.INSTANCE);\n }\n };\nprivate final DomainMapper<OAuthConsumerRequest, OAuthConsumer> consumerMapper = context.mock(DomainMapper.class);\nprivate PrincipalActionContext actionContext = context.mock(PrincipalActionContext.class);\nprivate SecurityToken securityToken = context.mock(SecurityToken.class);\nprivate OAuthServiceProvider provider = context.mock(OAuthServiceProvider.class);",
"class_name": "GetConsumerInfoExecutionTest"
} | {
"class_fields": "private final DomainMapper<OAuthConsumerRequest, OAuthConsumer> consumerMapper;",
"class_name": "GetConsumerInfoExecution implements ExecutionStrategy<PrincipalActionContext>",
"method_signatures": "public GetConsumerInfoExecution(final DomainMapper<OAuthConsumerRequest, OAuthConsumer> inConsumerMapper)\n@Override public Serializable execute(final PrincipalActionContext inActionContext)"
} | [
{
"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: server/src/main/java/org/eurekastreams/server/action/execution/opensocial/GetConsumerInfoExecution.java for which to generate the test case is:\nclass_name: GetConsumerInfoExecution implements ExecutionStrategy<PrincipalActionContext>\n\nclass_fields: private final DomainMapper<OAuthConsumerRequest, OAuthConsumer> consumerMapper;\n\nmethod_signatures: public GetConsumerInfoExecution(final DomainMapper<OAuthConsumerRequest, OAuthConsumer> inConsumerMapper)\n@Override public Serializable execute(final PrincipalActionContext inActionContext)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: GetConsumerInfoExecutionTest\n\nclass_fields: private GetConsumerInfoExecution sut;\nprivate final Mockery context = new JUnit4Mockery()\n {\n {\n setImposteriser(ClassImposteriser.INSTANCE);\n }\n };\nprivate final DomainMapper<OAuthConsumerRequest, OAuthConsumer> consumerMapper = context.mock(DomainMapper.class);\nprivate PrincipalActionContext actionContext = context.mock(PrincipalActionContext.class);\nprivate SecurityToken securityToken = context.mock(SecurityToken.class);\nprivate OAuthServiceProvider provider = context.mock(OAuthServiceProvider.class);\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file server/src/main/java/org/eurekastreams/server/action/execution/opensocial/GetConsumerInfoExecution.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public Serializable execute(final PrincipalActionContext inActionContext) throws ExecutionException\n {\n GetConsumerInfoRequest request = (GetConsumerInfoRequest) inActionContext.getParams();\n OAuthConsumer oauthConsumer = consumerMapper.execute(new OAuthConsumerRequest(request.getServiceName(), request\n .getSecurityToken().getAppUrl()));\n if (oauthConsumer == null)\n {\n throw new ExecutionException(\"OAuth Consumer was not found\");\n }\n net.oauth.OAuthConsumer consumer = new net.oauth.OAuthConsumer(oauthConsumer.getCallbackURL(), oauthConsumer\n .getConsumerKey(), oauthConsumer.getConsumerSecret(), request.getProvider());\n consumer.setProperty(OAuth.OAUTH_SIGNATURE_METHOD, oauthConsumer.getSignatureMethod());\n ConsumerInfo consumerInfo = new ConsumerInfo(consumer, null, oauthConsumer.getCallbackURL());\n return new ConsumerInfoResponse(consumerInfo);\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 server/src/test/java/org/eurekastreams/server/action/execution/opensocial/GetConsumerInfoExecutionTest.java\n </TESTFILE7041>\n @Test\n public void testGetConsumerKeyAndSecret() throws Exception\n {\n context.checking(new Expectations()\n {\n {\n oneOf(actionContext).getParams();\n will(returnValue(new GetConsumerInfoRequest(securityToken, \"serviceName\", provider)));\n\n oneOf(securityToken).getAppUrl();\n will(returnValue(\"http://localhost:4040/some/path\"));\n\n oneOf(consumerMapper).execute(with(any(OAuthConsumerRequest.class)));\n will(returnValue(new OAuthConsumer(\"\", \"\", \"\", \"\", \"\")));\n }\n });\n ConsumerInfoResponse response = (ConsumerInfoResponse) sut.execute(actionContext);\n Assert.assertNotNull(\"Consumer was not found\", response.getConsumerInfo());\n context.assertIsSatisfied();\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lmco/eurekastreams | java | server/src/main/java/org/eurekastreams/server/action/execution/notification/translator/LikeTranslator.java | server/src/test/java/org/eurekastreams/server/action/execution/notification/translator/LikeTranslatorTest.java | @Override
public NotificationBatch translate(final ActivityNotificationsRequest inRequest)
{
ActivityDTO activity = activityDAO.execute(inRequest.getActivityId());
Collection<Long> recipients = new HashSet<Long>();
addAuthorIfAppropriate(activity.getActor(), inRequest.getActorId(), recipients);
addAuthorIfAppropriate(activity.getOriginalActor(), inRequest.getActorId(), recipients);
if (recipients.isEmpty())
{
return null;
}
NotificationBatch batch = new NotificationBatch(NotificationType.LIKE_ACTIVITY, recipients);
batch.setProperty(NotificationPropertyKeys.ACTOR, PersonModelView.class, inRequest.getActorId());
batch.setProperty("stream", activity.getDestinationStream());
batch.setProperty("activity", activity);
batch.setPropertyAlias(NotificationPropertyKeys.SOURCE, "stream");
batch.setProperty(NotificationPropertyKeys.URL, UiUrlBuilder.relativeUrlForActivity(inRequest.getActivityId()));
return batch;
} | translate | @Test
public void testTranslateAuthorIsGroup()
{
context.checking(new Expectations()
{
{
allowing(author).getType();
will(returnValue(EntityType.GROUP));
allowing(activity).getOriginalActor();
will(returnValue(null));
}
});
NotificationBatch results = sut.translate(new ActivityNotificationsRequest(null, 1L, 0L, ACTIVITY_ID));
context.assertIsSatisfied();
assertNull(results);
} | testTranslateAuthorIsGroup | [
"execute",
"getActivityId",
"addAuthorIfAppropriate",
"getActor",
"getActorId",
"addAuthorIfAppropriate",
"getOriginalActor",
"getActorId",
"isEmpty",
"setProperty",
"getActorId",
"setProperty",
"getDestinationStream",
"setProperty",
"setPropertyAlias",
"setProperty",
"relativeUrlForActivity",
"getActivityId"
] | [
"checking",
"getType",
"allowing",
"will",
"returnValue",
"getOriginalActor",
"allowing",
"will",
"returnValue",
"translate",
"assertIsSatisfied",
"assertNull"
] | {
"class_fields": "private static final Long AUTHOR_ID = 81L;\nprivate static final Long ORIGINAL_AUTHOR_ID = 84L;\nprivate static final Long ACTIVITY_STREAM_ID = 82L;\nprivate static final Long ACTIVITY_ID = 83L;\nprivate final JUnit4Mockery context = new JUnit4Mockery()\n {\n {\n setImposteriser(ClassImposteriser.INSTANCE);\n }\n };\nprivate final DomainMapper<Long, ActivityDTO> activityDAO = context.mock(DomainMapper.class, \"activityDAO\");\nprivate final ActivityDTO activity = context.mock(ActivityDTO.class);\nprivate final StreamEntityDTO author = context.mock(StreamEntityDTO.class, \"author\");\nprivate final StreamEntityDTO originalAuthor = context.mock(StreamEntityDTO.class, \"originalAuthor\");\nNotificationTranslator<ActivityNotificationsRequest> sut;",
"class_name": "LikeTranslatorTest"
} | {
"class_fields": "private final DomainMapper<Long, ActivityDTO> activityDAO;",
"class_name": "LikeTranslator implements NotificationTranslator<ActivityNotificationsRequest>",
"method_signatures": "public LikeTranslator(final DomainMapper<Long, ActivityDTO> inActivityDAO)\nprivate void addAuthorIfAppropriate(final StreamEntityDTO entity, final long actorId,\n final Collection<Long> recipients)\n@Override public NotificationBatch translate(final ActivityNotificationsRequest inRequest)"
} | [
{
"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: server/src/main/java/org/eurekastreams/server/action/execution/notification/translator/LikeTranslator.java for which to generate the test case is:\nclass_name: LikeTranslator implements NotificationTranslator<ActivityNotificationsRequest>\n\nclass_fields: private final DomainMapper<Long, ActivityDTO> activityDAO;\n\nmethod_signatures: public LikeTranslator(final DomainMapper<Long, ActivityDTO> inActivityDAO)\nprivate void addAuthorIfAppropriate(final StreamEntityDTO entity, final long actorId,\n final Collection<Long> recipients)\n@Override public NotificationBatch translate(final ActivityNotificationsRequest inRequest)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: LikeTranslatorTest\n\nclass_fields: private static final Long AUTHOR_ID = 81L;\nprivate static final Long ORIGINAL_AUTHOR_ID = 84L;\nprivate static final Long ACTIVITY_STREAM_ID = 82L;\nprivate static final Long ACTIVITY_ID = 83L;\nprivate final JUnit4Mockery context = new JUnit4Mockery()\n {\n {\n setImposteriser(ClassImposteriser.INSTANCE);\n }\n };\nprivate final DomainMapper<Long, ActivityDTO> activityDAO = context.mock(DomainMapper.class, \"activityDAO\");\nprivate final ActivityDTO activity = context.mock(ActivityDTO.class);\nprivate final StreamEntityDTO author = context.mock(StreamEntityDTO.class, \"author\");\nprivate final StreamEntityDTO originalAuthor = context.mock(StreamEntityDTO.class, \"originalAuthor\");\nNotificationTranslator<ActivityNotificationsRequest> sut;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file server/src/main/java/org/eurekastreams/server/action/execution/notification/translator/LikeTranslator.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public NotificationBatch translate(final ActivityNotificationsRequest inRequest)\n {\n ActivityDTO activity = activityDAO.execute(inRequest.getActivityId());\n\n Collection<Long> recipients = new HashSet<Long>();\n addAuthorIfAppropriate(activity.getActor(), inRequest.getActorId(), recipients);\n addAuthorIfAppropriate(activity.getOriginalActor(), inRequest.getActorId(), recipients);\n if (recipients.isEmpty())\n {\n return null;\n }\n\n NotificationBatch batch = new NotificationBatch(NotificationType.LIKE_ACTIVITY, recipients);\n batch.setProperty(NotificationPropertyKeys.ACTOR, PersonModelView.class, inRequest.getActorId());\n batch.setProperty(\"stream\", activity.getDestinationStream());\n batch.setProperty(\"activity\", activity);\n batch.setPropertyAlias(NotificationPropertyKeys.SOURCE, \"stream\");\n batch.setProperty(NotificationPropertyKeys.URL, UiUrlBuilder.relativeUrlForActivity(inRequest.getActivityId()));\n return batch;\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 server/src/test/java/org/eurekastreams/server/action/execution/notification/translator/LikeTranslatorTest.java\n </TESTFILE7041>\n @Test\n public void testTranslateAuthorIsGroup()\n {\n context.checking(new Expectations()\n {\n {\n allowing(author).getType();\n will(returnValue(EntityType.GROUP));\n allowing(activity).getOriginalActor();\n will(returnValue(null));\n }\n });\n\n NotificationBatch results = sut.translate(new ActivityNotificationsRequest(null, 1L, 0L, ACTIVITY_ID));\n\n context.assertIsSatisfied();\n assertNull(results);\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/apache/incubator-gobblin | java | gobblin-core/src/main/java/org/apache/gobblin/source/extractor/partition/Partitioner.java | gobblin-core/src/test/java/org/apache/gobblin/source/extractor/partition/PartitionerTest.java | public List<Partition> getPartitionList(long previousWatermark) {
if (state.getPropAsBoolean(HAS_USER_SPECIFIED_PARTITIONS)) {
return createUserSpecifiedPartitions();
}
List<Partition> partitions = new ArrayList<>();
/*
* Use the deprecated getPartitions(long) as a helper function, avoid duplicating logic. When it can be removed, its
* logic will be put here.
*/
HashMap<Long, Long> partitionMap = getPartitions(previousWatermark);
if (partitionMap.size() == 0) {
return partitions;
}
if (partitionMap.size() == 1) {
Map.Entry<Long, Long> entry = partitionMap.entrySet().iterator().next();
Long lwm = entry.getKey();
Long hwm = entry.getValue();
if (lwm == hwm) {
if (lwm != -1) { // we always allow [-1, -1] interval due to some test cases relies on this logic.
boolean allowEqualBoundary = state.getPropAsBoolean(ALLOW_EQUAL_WATERMARK_BOUNDARY, false);
LOG.info("Single partition with LWM = HWM and allowEqualBoundary=" + allowEqualBoundary);
if (!allowEqualBoundary) {
return partitions;
}
}
}
}
/*
* Can't use highWatermark directly, as the partitionMap may have different precision. For example, highWatermark
* may be specified to seconds, but partitionMap could be specified to hour or date.
*/
Long highestWatermark = Collections.max(partitionMap.values());
for (Map.Entry<Long, Long> entry : partitionMap.entrySet()) {
Long partitionHighWatermark = entry.getValue();
// Apply hasUserSpecifiedHighWatermark to the last partition, which has highestWatermark
if (partitionHighWatermark.equals(highestWatermark)) {
partitions.add(new Partition(entry.getKey(), partitionHighWatermark, true, hasUserSpecifiedHighWatermark));
} else {
// The partitionHighWatermark was computed on the fly not what user specifies
partitions.add(new Partition(entry.getKey(), partitionHighWatermark, false));
}
}
return partitions;
} | getPartitionList | @Test
public void testGetPartitionList() {
List<Partition> expectedPartitions = new ArrayList<>();
SourceState sourceState = new SourceState();
sourceState.setProp(ConfigurationKeys.SOURCE_QUERYBASED_IS_WATERMARK_OVERRIDE, true);
TestPartitioner partitioner = new TestPartitioner(sourceState);
long defaultValue = ConfigurationKeys.DEFAULT_WATERMARK_VALUE;
expectedPartitions.add(new Partition(defaultValue, defaultValue, true, false));
// Watermark doesn't exist
Assert.assertEquals(partitioner.getPartitionList(-1), expectedPartitions);
// Set watermark
sourceState.setProp(ConfigurationKeys.EXTRACT_DELTA_FIELDS_KEY, "time");
// Set other properties
sourceState.setProp(ConfigurationKeys.SOURCE_QUERYBASED_WATERMARK_TYPE, "hour");
sourceState.setProp(ConfigurationKeys.SOURCE_QUERYBASED_EXTRACT_TYPE, "SNAPSHOT");
sourceState.setProp(ConfigurationKeys.SOURCE_QUERYBASED_PARTITION_INTERVAL, "2");
sourceState.setProp(ConfigurationKeys.SOURCE_MAX_NUMBER_OF_PARTITIONS, "2");
sourceState.setProp(ConfigurationKeys.SOURCE_QUERYBASED_IS_WATERMARK_OVERRIDE, true);
expectedPartitions.clear();
expectedPartitions.add(new Partition(defaultValue, Long.parseLong(TestPartitioner.currentTimeString), true, false));
// No user specified watermarks
Assert.assertEquals(partitioner.getPartitionList(-1), expectedPartitions);
// Set user specified low and high watermarks
sourceState.setProp(ConfigurationKeys.SOURCE_QUERYBASED_START_VALUE, "20170101002010");
sourceState.setProp(ConfigurationKeys.SOURCE_QUERYBASED_END_VALUE, "20170101122010");
expectedPartitions.clear();
expectedPartitions.add(new Partition(20170101000000L, 20170101060000L));
expectedPartitions.add(new Partition(20170101060000L, 20170101120000L, true, true));
List<Partition> partitions = partitioner.getPartitionList(-1);
Collections.sort(partitions, Partitioner.ascendingComparator);
Assert.assertEquals(partitions, expectedPartitions);
} | testGetPartitionList | [
"getPropAsBoolean",
"createUserSpecifiedPartitions",
"getPartitions",
"size",
"size",
"next",
"iterator",
"entrySet",
"getKey",
"getValue",
"getPropAsBoolean",
"info",
"max",
"values",
"entrySet",
"getValue",
"equals",
"add",
"getKey",
"add",
"getKey"
] | [
"setProp",
"add",
"assertEquals",
"getPartitionList",
"setProp",
"setProp",
"setProp",
"setProp",
"setProp",
"setProp",
"clear",
"add",
"parseLong",
"assertEquals",
"getPartitionList",
"setProp",
"setProp",
"clear",
"add",
"add",
"getPartitionList",
"sort",
"assertEquals"
] | {
"class_fields": "",
"class_name": "PartitionerTest"
} | {
"class_fields": "private static final Logger LOG = LoggerFactory.getLogger(Partitioner.class);\npublic static final String WATERMARKTIMEFORMAT = \"yyyyMMddHHmmss\";\npublic static final String HAS_USER_SPECIFIED_PARTITIONS = \"partitioner.hasUserSpecifiedPartitions\";\npublic static final String USER_SPECIFIED_PARTITIONS = \"partitioner.userSpecifiedPartitions\";\npublic static final String IS_EARLY_STOPPED = \"partitioner.isEarlyStopped\";\npublic static final String ALLOW_EQUAL_WATERMARK_BOUNDARY = \"partitioner.allowEqualWatermarkBoundary\";\npublic static final Comparator<Partition> ascendingComparator = new Comparator<Partition>() {\n @Override\n public int compare(Partition p1, Partition p2) {\n if (p1 == null && p2 == null) {\n return 0;\n }\n if (p1 == null) {\n return -1;\n }\n if (p2 == null) {\n return 1;\n }\n return Long.compare(p1.getLowWatermark(), p2.getLowWatermark());\n }\n };\nprivate SourceState state;\n@VisibleForTesting\n protected boolean hasUserSpecifiedHighWatermark;",
"class_name": "Partitioner",
"method_signatures": "public Partitioner(SourceState state)\npublic Partition getGlobalPartition(long previousWatermark)\n@Deprecated public HashMap<Long, Long> getPartitions(long previousWatermark)\npublic List<Partition> getPartitionList(long previousWatermark)\nprivate List<Partition> createUserSpecifiedPartitions()\nprivate static long adjustWatermark(String baseWatermark, WatermarkType watermarkType)\nprivate static int getUpdatedInterval(int inputInterval, ExtractType extractType, WatermarkType watermarkType)\n@VisibleForTesting protected long getLowWatermark(ExtractType extractType, WatermarkType watermarkType, long previousWatermark,\n int deltaForNextWatermark)\nprivate long getSnapshotLowWatermark(WatermarkType watermarkType, long previousWatermark, int deltaForNextWatermark)\nprivate long getAppendLowWatermark(WatermarkType watermarkType, long previousWatermark, int deltaForNextWatermark)\n@VisibleForTesting protected long getHighWatermark(ExtractType extractType, WatermarkType watermarkType)\nprivate long getSnapshotHighWatermark(WatermarkType watermarkType)\nprivate long getAppendHighWatermark(ExtractType extractType)\nprivate long getAppendWatermarkCutoff(ExtractType extractType)\nprivate static AppendMaxLimitType getAppendLimitType(ExtractType extractType, String maxLimit)\nprivate static int getAppendLimitDelta(String maxLimit)\nprivate static boolean isPreviousWatermarkExists(long previousWatermark)\nprivate boolean isWatermarkExists()\nprivate static boolean isSnapshot(ExtractType extractType)\nprivate static boolean isSimpleWatermark(WatermarkType watermarkType)\npublic boolean isFullDump()\npublic boolean isWatermarkOverride()\n@VisibleForTesting public DateTime getCurrentTime(String timeZone)"
} | [
{
"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: gobblin-core/src/main/java/org/apache/gobblin/source/extractor/partition/Partitioner.java for which to generate the test case is:\nclass_name: Partitioner\n\nclass_fields: private static final Logger LOG = LoggerFactory.getLogger(Partitioner.class);\npublic static final String WATERMARKTIMEFORMAT = \"yyyyMMddHHmmss\";\npublic static final String HAS_USER_SPECIFIED_PARTITIONS = \"partitioner.hasUserSpecifiedPartitions\";\npublic static final String USER_SPECIFIED_PARTITIONS = \"partitioner.userSpecifiedPartitions\";\npublic static final String IS_EARLY_STOPPED = \"partitioner.isEarlyStopped\";\npublic static final String ALLOW_EQUAL_WATERMARK_BOUNDARY = \"partitioner.allowEqualWatermarkBoundary\";\npublic static final Comparator<Partition> ascendingComparator = new Comparator<Partition>() {\n @Override\n public int compare(Partition p1, Partition p2) {\n if (p1 == null && p2 == null) {\n return 0;\n }\n if (p1 == null) {\n return -1;\n }\n if (p2 == null) {\n return 1;\n }\n return Long.compare(p1.getLowWatermark(), p2.getLowWatermark());\n }\n };\nprivate SourceState state;\n@VisibleForTesting\n protected boolean hasUserSpecifiedHighWatermark;\n\nmethod_signatures: public Partitioner(SourceState state)\npublic Partition getGlobalPartition(long previousWatermark)\n@Deprecated public HashMap<Long, Long> getPartitions(long previousWatermark)\npublic List<Partition> getPartitionList(long previousWatermark)\nprivate List<Partition> createUserSpecifiedPartitions()\nprivate static long adjustWatermark(String baseWatermark, WatermarkType watermarkType)\nprivate static int getUpdatedInterval(int inputInterval, ExtractType extractType, WatermarkType watermarkType)\n@VisibleForTesting protected long getLowWatermark(ExtractType extractType, WatermarkType watermarkType, long previousWatermark,\n int deltaForNextWatermark)\nprivate long getSnapshotLowWatermark(WatermarkType watermarkType, long previousWatermark, int deltaForNextWatermark)\nprivate long getAppendLowWatermark(WatermarkType watermarkType, long previousWatermark, int deltaForNextWatermark)\n@VisibleForTesting protected long getHighWatermark(ExtractType extractType, WatermarkType watermarkType)\nprivate long getSnapshotHighWatermark(WatermarkType watermarkType)\nprivate long getAppendHighWatermark(ExtractType extractType)\nprivate long getAppendWatermarkCutoff(ExtractType extractType)\nprivate static AppendMaxLimitType getAppendLimitType(ExtractType extractType, String maxLimit)\nprivate static int getAppendLimitDelta(String maxLimit)\nprivate static boolean isPreviousWatermarkExists(long previousWatermark)\nprivate boolean isWatermarkExists()\nprivate static boolean isSnapshot(ExtractType extractType)\nprivate static boolean isSimpleWatermark(WatermarkType watermarkType)\npublic boolean isFullDump()\npublic boolean isWatermarkOverride()\n@VisibleForTesting public DateTime getCurrentTime(String timeZone)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: PartitionerTest\n\nclass_fields: \n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file gobblin-core/src/main/java/org/apache/gobblin/source/extractor/partition/Partitioner.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public List<Partition> getPartitionList(long previousWatermark) {\n if (state.getPropAsBoolean(HAS_USER_SPECIFIED_PARTITIONS)) {\n return createUserSpecifiedPartitions();\n }\n\n List<Partition> partitions = new ArrayList<>();\n\n /*\n * Use the deprecated getPartitions(long) as a helper function, avoid duplicating logic. When it can be removed, its\n * logic will be put here.\n */\n HashMap<Long, Long> partitionMap = getPartitions(previousWatermark);\n\n if (partitionMap.size() == 0) {\n return partitions;\n }\n\n if (partitionMap.size() == 1) {\n Map.Entry<Long, Long> entry = partitionMap.entrySet().iterator().next();\n Long lwm = entry.getKey();\n Long hwm = entry.getValue();\n\n if (lwm == hwm) {\n if (lwm != -1) { // we always allow [-1, -1] interval due to some test cases relies on this logic.\n boolean allowEqualBoundary = state.getPropAsBoolean(ALLOW_EQUAL_WATERMARK_BOUNDARY, false);\n LOG.info(\"Single partition with LWM = HWM and allowEqualBoundary=\" + allowEqualBoundary);\n if (!allowEqualBoundary) {\n return partitions;\n }\n }\n }\n }\n\n /*\n * Can't use highWatermark directly, as the partitionMap may have different precision. For example, highWatermark\n * may be specified to seconds, but partitionMap could be specified to hour or date.\n */\n Long highestWatermark = Collections.max(partitionMap.values());\n\n for (Map.Entry<Long, Long> entry : partitionMap.entrySet()) {\n Long partitionHighWatermark = entry.getValue();\n // Apply hasUserSpecifiedHighWatermark to the last partition, which has highestWatermark\n if (partitionHighWatermark.equals(highestWatermark)) {\n partitions.add(new Partition(entry.getKey(), partitionHighWatermark, true, hasUserSpecifiedHighWatermark));\n } else {\n // The partitionHighWatermark was computed on the fly not what user specifies\n partitions.add(new Partition(entry.getKey(), partitionHighWatermark, false));\n }\n }\n return partitions;\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 gobblin-core/src/test/java/org/apache/gobblin/source/extractor/partition/PartitionerTest.java\n </TESTFILE7041>\n @Test\n public void testGetPartitionList() {\n List<Partition> expectedPartitions = new ArrayList<>();\n SourceState sourceState = new SourceState();\n sourceState.setProp(ConfigurationKeys.SOURCE_QUERYBASED_IS_WATERMARK_OVERRIDE, true);\n\n TestPartitioner partitioner = new TestPartitioner(sourceState);\n long defaultValue = ConfigurationKeys.DEFAULT_WATERMARK_VALUE;\n expectedPartitions.add(new Partition(defaultValue, defaultValue, true, false));\n\n // Watermark doesn't exist\n Assert.assertEquals(partitioner.getPartitionList(-1), expectedPartitions);\n\n // Set watermark\n sourceState.setProp(ConfigurationKeys.EXTRACT_DELTA_FIELDS_KEY, \"time\");\n // Set other properties\n sourceState.setProp(ConfigurationKeys.SOURCE_QUERYBASED_WATERMARK_TYPE, \"hour\");\n sourceState.setProp(ConfigurationKeys.SOURCE_QUERYBASED_EXTRACT_TYPE, \"SNAPSHOT\");\n sourceState.setProp(ConfigurationKeys.SOURCE_QUERYBASED_PARTITION_INTERVAL, \"2\");\n sourceState.setProp(ConfigurationKeys.SOURCE_MAX_NUMBER_OF_PARTITIONS, \"2\");\n sourceState.setProp(ConfigurationKeys.SOURCE_QUERYBASED_IS_WATERMARK_OVERRIDE, true);\n\n expectedPartitions.clear();\n expectedPartitions.add(new Partition(defaultValue, Long.parseLong(TestPartitioner.currentTimeString), true, false));\n // No user specified watermarks\n Assert.assertEquals(partitioner.getPartitionList(-1), expectedPartitions);\n\n // Set user specified low and high watermarks\n sourceState.setProp(ConfigurationKeys.SOURCE_QUERYBASED_START_VALUE, \"20170101002010\");\n sourceState.setProp(ConfigurationKeys.SOURCE_QUERYBASED_END_VALUE, \"20170101122010\");\n\n expectedPartitions.clear();\n expectedPartitions.add(new Partition(20170101000000L, 20170101060000L));\n expectedPartitions.add(new Partition(20170101060000L, 20170101120000L, true, true));\n List<Partition> partitions = partitioner.getPartitionList(-1);\n Collections.sort(partitions, Partitioner.ascendingComparator);\n Assert.assertEquals(partitions, expectedPartitions);\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/mycila/license-maven-plugin | java | license-maven-plugin/src/main/java/com/mycila/maven/plugin/license/header/HeaderDefinition.java | license-maven-plugin/src/test/java/com/mycila/maven/plugin/license/header/HeaderDefinitionTest.java | public void validate() {
check("firstLine", this.firstLine);
check("beforeEachLine", this.beforeEachLine);
check("endLine", this.endLine);
check("afterEachLine", this.afterEachLine);
check("firstLineDetectionPattern", this.firstLineDetectionPattern);
check("lastLineDetectionPattern", this.lastLineDetectionPattern);
check("isMultiline", this.isMultiline);
check("allowBlankLines", this.allowBlankLines);
// skip line can be null
} | validate | @Test(expected = IllegalStateException.class)
public void test_missing_firstDetect() throws Exception {
HeaderDefinition def = new HeaderDefinition("aa", "firstLine", "before", "end", "", null, "", "lastDetect", false, false, false);
def.validate();
} | test_missing_firstDetect | [
"check",
"check",
"check",
"check",
"check",
"check",
"check",
"check"
] | [
"validate"
] | {
"class_fields": "",
"class_name": "HeaderDefinitionTest"
} | {
"class_fields": "private final String type;\nprivate String firstLine = \"\";\nprivate String beforeEachLine = \"\";\nprivate String endLine = \"\";\nprivate String afterEachLine = \"\";\nprivate Boolean allowBlankLines;\nprivate Pattern skipLinePattern;\nprivate Pattern firstLineDetectionPattern;\nprivate Pattern lastLineDetectionPattern;\nprivate Boolean isMultiline;\nprivate boolean padLines = false;",
"class_name": "HeaderDefinition",
"method_signatures": "public HeaderDefinition(String type,\n String firstLine, String beforeEachLine,\n String endLine, String afterEachLine,\n String skipLinePattern,\n String firstLineDetectionPattern, String lastLineDetectionPattern,\n boolean allowBlankLines, boolean isMultiline, boolean padLines)\npublic HeaderDefinition(String type)\nprivate Pattern compile(String regexp)\npublic String getFirstLine()\npublic String getBeforeEachLine()\npublic String getEndLine()\npublic String getAfterEachLine()\npublic String getType()\npublic boolean allowBlankLines()\npublic boolean isPadLines()\npublic boolean isSkipLine(String line)\npublic boolean isFirstHeaderLine(String line)\npublic boolean isLastHeaderLine(String line)\nprotected Pattern getSkipLinePattern()\npublic void setPropertyFromString(String property, String value)\npublic void validate()\nprivate void check(String name, Boolean value)\nprivate void check(String name, String value)\nprivate void check(String name, Pattern value)\nprivate boolean isEmpty(String s)\n@Override public boolean equals(Object o)\n@Override public int hashCode()\n@Override public String toString()\npublic boolean isMultiLine()"
} | [
{
"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: license-maven-plugin/src/main/java/com/mycila/maven/plugin/license/header/HeaderDefinition.java for which to generate the test case is:\nclass_name: HeaderDefinition\n\nclass_fields: private final String type;\nprivate String firstLine = \"\";\nprivate String beforeEachLine = \"\";\nprivate String endLine = \"\";\nprivate String afterEachLine = \"\";\nprivate Boolean allowBlankLines;\nprivate Pattern skipLinePattern;\nprivate Pattern firstLineDetectionPattern;\nprivate Pattern lastLineDetectionPattern;\nprivate Boolean isMultiline;\nprivate boolean padLines = false;\n\nmethod_signatures: public HeaderDefinition(String type,\n String firstLine, String beforeEachLine,\n String endLine, String afterEachLine,\n String skipLinePattern,\n String firstLineDetectionPattern, String lastLineDetectionPattern,\n boolean allowBlankLines, boolean isMultiline, boolean padLines)\npublic HeaderDefinition(String type)\nprivate Pattern compile(String regexp)\npublic String getFirstLine()\npublic String getBeforeEachLine()\npublic String getEndLine()\npublic String getAfterEachLine()\npublic String getType()\npublic boolean allowBlankLines()\npublic boolean isPadLines()\npublic boolean isSkipLine(String line)\npublic boolean isFirstHeaderLine(String line)\npublic boolean isLastHeaderLine(String line)\nprotected Pattern getSkipLinePattern()\npublic void setPropertyFromString(String property, String value)\npublic void validate()\nprivate void check(String name, Boolean value)\nprivate void check(String name, String value)\nprivate void check(String name, Pattern value)\nprivate boolean isEmpty(String s)\n@Override public boolean equals(Object o)\n@Override public int hashCode()\n@Override public String toString()\npublic boolean isMultiLine()\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: HeaderDefinitionTest\n\nclass_fields: \n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file license-maven-plugin/src/main/java/com/mycila/maven/plugin/license/header/HeaderDefinition.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public void validate() {\n check(\"firstLine\", this.firstLine);\n check(\"beforeEachLine\", this.beforeEachLine);\n check(\"endLine\", this.endLine);\n check(\"afterEachLine\", this.afterEachLine);\n check(\"firstLineDetectionPattern\", this.firstLineDetectionPattern);\n check(\"lastLineDetectionPattern\", this.lastLineDetectionPattern);\n check(\"isMultiline\", this.isMultiline);\n check(\"allowBlankLines\", this.allowBlankLines);\n // skip line can be null\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 license-maven-plugin/src/test/java/com/mycila/maven/plugin/license/header/HeaderDefinitionTest.java\n </TESTFILE7041>\n @Test(expected = IllegalStateException.class)\n public void test_missing_firstDetect() throws Exception {\n HeaderDefinition def = new HeaderDefinition(\"aa\", \"firstLine\", \"before\", \"end\", \"\", null, \"\", \"lastDetect\", false, false, false);\n def.validate();\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/apache/incubator-gobblin | java | gobblin-modules/gobblin-sql/src/main/java/org/apache/gobblin/source/jdbc/JdbcExtractor.java | gobblin-modules/gobblin-sql/src/test/java/org/apache/gobblin/source/jdbc/JdbcExtractorTest.java | @Override
public Iterator<JsonElement> getData(CommandOutput<?, ?> response) throws DataRecordException, IOException {
this.log.debug("Extract data records from resultset");
RecordSetList<JsonElement> recordSet = this.getNewRecordSetList();
if (response == null || !this.hasNextRecord()) {
return recordSet.iterator();
}
ResultSet resultset = null;
Iterator<ResultSet> itr = (Iterator<ResultSet>) response.getResults().values().iterator();
if (itr.hasNext()) {
resultset = itr.next();
} else {
throw new DataRecordException("Failed to get source record count from database - Resultset has no records");
}
try {
final ResultSetMetaData resultsetMetadata = resultset.getMetaData();
int batchSize = this.workUnitState.getPropAsInt(ConfigurationKeys.SOURCE_QUERYBASED_FETCH_SIZE, 0);
batchSize = (batchSize == 0 ? ConfigurationKeys.DEFAULT_SOURCE_FETCH_SIZE : batchSize);
int recordCount = 0;
while (resultset.next()) {
final int numColumns = resultsetMetadata.getColumnCount();
JsonObject jsonObject = new JsonObject();
for (int i = 1; i < numColumns + 1; i++) {
final String columnName = this.getHeaderRecord().get(i - 1);
jsonObject.addProperty(columnName, parseColumnAsString(resultset, resultsetMetadata, i));
}
recordSet.add(jsonObject);
recordCount++;
this.totalRecordCount++;
// Insert records in record set until it reaches the batch size
if (recordCount >= batchSize) {
this.log.info("Total number of records processed so far: " + this.totalRecordCount);
return recordSet.iterator();
}
}
this.setNextRecord(false);
this.log.info("Total number of records processed so far: " + this.totalRecordCount);
return recordSet.iterator();
} catch (Exception e) {
throw new DataRecordException("Failed to get records from database; error - " + e.getMessage(), e);
}
} | getData | @Test
public void testGetData() throws Exception {
CommandOutput<JdbcCommand, ResultSet> output = new JdbcCommandOutput();
output.put(new JdbcCommand(), buildMockResultSet());
State state = new WorkUnitState();
state.setId("id");
JdbcExtractor jdbcExtractor = new MysqlExtractor((WorkUnitState) state);
List<String> columnNames = Lists.newArrayListWithCapacity(COLUMNS.size());
for (MockJdbcColumn mockJdbcColumn:COLUMNS) {
columnNames.add(mockJdbcColumn.getColumnName());
}
jdbcExtractor.setHeaderRecord(columnNames);
Iterator<JsonElement> itr = jdbcExtractor.getData(output);
// Make sure there is an element in the iterator
assertTrue(itr.hasNext());
JsonObject obj = itr.next().getAsJsonObject();
// Verify the columns
for (MockJdbcColumn column : COLUMNS) {
assertEquals(obj.get(column.getColumnName()).getAsString(), column.getValue());
}
} | testGetData | [
"debug",
"getNewRecordSetList",
"hasNextRecord",
"iterator",
"iterator",
"values",
"getResults",
"hasNext",
"next",
"getMetaData",
"getPropAsInt",
"next",
"getColumnCount",
"get",
"getHeaderRecord",
"addProperty",
"parseColumnAsString",
"add",
"info",
"iterator",
"setNextRecord",
"info",
"iterator",
"getMessage"
] | [
"put",
"buildMockResultSet",
"setId",
"newArrayListWithCapacity",
"size",
"add",
"getColumnName",
"setHeaderRecord",
"getData",
"assertTrue",
"hasNext",
"getAsJsonObject",
"next",
"assertEquals",
"getAsString",
"get",
"getColumnName",
"getValue"
] | {
"class_fields": "private final static List<MockJdbcColumn> COLUMNS = ImmutableList.of(new MockJdbcColumn(\"id\", \"1\", Types.INTEGER),\n new MockJdbcColumn(\"name\", \"name_1\", Types.VARCHAR), new MockJdbcColumn(\"age\", \"20\", Types.INTEGER));",
"class_name": "JdbcExtractorTest"
} | {
"class_fields": "private static final Gson gson = new Gson();\nprivate List<String> headerRecord;\nprivate boolean firstPull = true;\nprivate CommandOutput<?, ?> dataResponse = null;\nprotected String extractSql;\nprotected long sampleRecordCount;\nprotected JdbcProvider jdbcSource;\nprotected Connection dataConnection;\nprotected int timeOut;\nprivate List<ColumnAttributes> columnAliasMap = new ArrayList<>();\nprivate Map<String, Schema> metadataColumnMap = new HashMap<>();\nprivate List<String> metadataColumnList = new ArrayList<>();\nprivate String inputColumnProjection;\nprivate String outputColumnProjection;\nprivate long totalRecordCount = 0;\nprivate boolean nextRecord = true;\nprivate int unknownColumnCounter = 1;\nprotected boolean enableDelimitedIdentifier = false;\nprivate Logger log = LoggerFactory.getLogger(JdbcExtractor.class);",
"class_name": "JdbcExtractor extends QueryBasedExtractor<JsonArray, JsonElement> implements SourceSpecificLayer<JsonArray, JsonElement>, JdbcSpecificLayer",
"method_signatures": "public Map<String, Schema> getMetadataColumnMap()\npublic void setMetadataColumnMap(Map<String, Schema> metadataColumnMap)\npublic List<String> getMetadataColumnList()\npublic void setMetadataColumnList(List<String> metadataColumnList)\npublic long getSampleRecordCount()\npublic void setSampleRecordCount(long sampleRecordCount)\npublic String getExtractSql()\npublic void setExtractSql(String extractSql)\npublic String getOutputColumnProjection()\npublic void setOutputColumnProjection(String outputColumnProjection)\npublic String getInputColumnProjection()\npublic void setInputColumnProjection(String inputColumnProjection)\npublic List<ColumnAttributes> getColumnAliasMap()\npublic void addToColumnAliasMap(ColumnAttributes columnAliasMap)\npublic boolean isFirstPull()\npublic void setFirstPull(boolean firstPull)\nprotected List<String> getHeaderRecord()\nprotected void setHeaderRecord(List<String> headerRecord)\npublic int getTimeOut()\npublic boolean hasNextRecord()\npublic void setNextRecord(boolean nextRecord)\n@Override public void setTimeOut(int timeOut)\npublic Gson getGson()\npublic JdbcExtractor(WorkUnitState workUnitState)\n@Override public void extractMetadata(String schema, String entity, WorkUnit workUnit)\nprivate String getExtractQuery(String schema, String entity, String inputQuery)\nprotected String addOptionalWatermarkPredicate(String query)\nprivate Schema getUpdatedSchemaObject(String sourceColumnName, String alias, String targetColumnName)\nprivate String getTargetColumnName(String sourceColumnName, String alias)\nprivate void buildMetadataColumnMap(JsonArray array)\nprivate void updateDeltaFieldConfig(String srcColumnName, String tgtColumnName)\nprivate void updatePrimaryKeyConfig(String srcColumnName, String tgtColumnName)\nprivate boolean isSelectAllColumns()\nprivate void parseInputQuery(String query)\nprivate CommandOutput<?, ?> executeSql(List<Command> cmds)\nprivate CommandOutput<?, ?> executePreparedSql(List<Command> cmds)\nprotected JdbcProvider createJdbcSource()\n@Override public long getMaxWatermark(String schema, String entity, String watermarkColumn, List<Predicate> predicateList,\n String watermarkSourceFormat)\n@Override public long getSourceCount(String schema, String entity, WorkUnit workUnit, List<Predicate> predicateList)\n@Override public Iterator<JsonElement> getRecordSet(String schema, String entity, WorkUnit workUnit,\n List<Predicate> predicateList)\n@Override public JsonArray getSchema(CommandOutput<?, ?> response)\n@Override public long getHighWatermark(CommandOutput<?, ?> response, String watermarkColumn, String watermarkColumnFormat)\n@Override public long getCount(CommandOutput<?, ?> response)\n@Override public Iterator<JsonElement> getData(CommandOutput<?, ?> response)\nprivate String readBlobAsString(Blob logBlob)\nprivate String readClobAsString(Clob logClob)\nprotected boolean convertBitToBoolean()\nprivate String parseColumnAsString(final ResultSet resultset, final ResultSetMetaData resultsetMetadata, int i)\nprivate static boolean isBlob(int columnType)\nprivate static boolean isClob(int columnType)\nprotected static Command getCommand(String query, JdbcCommandType commandType)\nprotected static Command getCommand(int fetchSize, JdbcCommandType commandType)\nprotected static Command getCommand(List<String> params, JdbcCommandType commandType)\nprotected String concatPredicates(List<Predicate> predicateList)\nprivate JsonObject getDefaultWatermark()\nprivate Schema getCustomColumnSchema(String columnName)\npublic static boolean hasJoinOperation(String selectQuery)\nprivate static RecordSetList<JsonElement> getNewRecordSetList()\nprivate String toCase(String targetColumnName)\npublic String getLeftDelimitedIdentifier()\npublic String getRightDelimitedIdentifier()\n@Override public void closeConnection()"
} | [
{
"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: gobblin-modules/gobblin-sql/src/main/java/org/apache/gobblin/source/jdbc/JdbcExtractor.java for which to generate the test case is:\nclass_name: JdbcExtractor extends QueryBasedExtractor<JsonArray, JsonElement> implements SourceSpecificLayer<JsonArray, JsonElement>, JdbcSpecificLayer\n\nclass_fields: private static final Gson gson = new Gson();\nprivate List<String> headerRecord;\nprivate boolean firstPull = true;\nprivate CommandOutput<?, ?> dataResponse = null;\nprotected String extractSql;\nprotected long sampleRecordCount;\nprotected JdbcProvider jdbcSource;\nprotected Connection dataConnection;\nprotected int timeOut;\nprivate List<ColumnAttributes> columnAliasMap = new ArrayList<>();\nprivate Map<String, Schema> metadataColumnMap = new HashMap<>();\nprivate List<String> metadataColumnList = new ArrayList<>();\nprivate String inputColumnProjection;\nprivate String outputColumnProjection;\nprivate long totalRecordCount = 0;\nprivate boolean nextRecord = true;\nprivate int unknownColumnCounter = 1;\nprotected boolean enableDelimitedIdentifier = false;\nprivate Logger log = LoggerFactory.getLogger(JdbcExtractor.class);\n\nmethod_signatures: public Map<String, Schema> getMetadataColumnMap()\npublic void setMetadataColumnMap(Map<String, Schema> metadataColumnMap)\npublic List<String> getMetadataColumnList()\npublic void setMetadataColumnList(List<String> metadataColumnList)\npublic long getSampleRecordCount()\npublic void setSampleRecordCount(long sampleRecordCount)\npublic String getExtractSql()\npublic void setExtractSql(String extractSql)\npublic String getOutputColumnProjection()\npublic void setOutputColumnProjection(String outputColumnProjection)\npublic String getInputColumnProjection()\npublic void setInputColumnProjection(String inputColumnProjection)\npublic List<ColumnAttributes> getColumnAliasMap()\npublic void addToColumnAliasMap(ColumnAttributes columnAliasMap)\npublic boolean isFirstPull()\npublic void setFirstPull(boolean firstPull)\nprotected List<String> getHeaderRecord()\nprotected void setHeaderRecord(List<String> headerRecord)\npublic int getTimeOut()\npublic boolean hasNextRecord()\npublic void setNextRecord(boolean nextRecord)\n@Override public void setTimeOut(int timeOut)\npublic Gson getGson()\npublic JdbcExtractor(WorkUnitState workUnitState)\n@Override public void extractMetadata(String schema, String entity, WorkUnit workUnit)\nprivate String getExtractQuery(String schema, String entity, String inputQuery)\nprotected String addOptionalWatermarkPredicate(String query)\nprivate Schema getUpdatedSchemaObject(String sourceColumnName, String alias, String targetColumnName)\nprivate String getTargetColumnName(String sourceColumnName, String alias)\nprivate void buildMetadataColumnMap(JsonArray array)\nprivate void updateDeltaFieldConfig(String srcColumnName, String tgtColumnName)\nprivate void updatePrimaryKeyConfig(String srcColumnName, String tgtColumnName)\nprivate boolean isSelectAllColumns()\nprivate void parseInputQuery(String query)\nprivate CommandOutput<?, ?> executeSql(List<Command> cmds)\nprivate CommandOutput<?, ?> executePreparedSql(List<Command> cmds)\nprotected JdbcProvider createJdbcSource()\n@Override public long getMaxWatermark(String schema, String entity, String watermarkColumn, List<Predicate> predicateList,\n String watermarkSourceFormat)\n@Override public long getSourceCount(String schema, String entity, WorkUnit workUnit, List<Predicate> predicateList)\n@Override public Iterator<JsonElement> getRecordSet(String schema, String entity, WorkUnit workUnit,\n List<Predicate> predicateList)\n@Override public JsonArray getSchema(CommandOutput<?, ?> response)\n@Override public long getHighWatermark(CommandOutput<?, ?> response, String watermarkColumn, String watermarkColumnFormat)\n@Override public long getCount(CommandOutput<?, ?> response)\n@Override public Iterator<JsonElement> getData(CommandOutput<?, ?> response)\nprivate String readBlobAsString(Blob logBlob)\nprivate String readClobAsString(Clob logClob)\nprotected boolean convertBitToBoolean()\nprivate String parseColumnAsString(final ResultSet resultset, final ResultSetMetaData resultsetMetadata, int i)\nprivate static boolean isBlob(int columnType)\nprivate static boolean isClob(int columnType)\nprotected static Command getCommand(String query, JdbcCommandType commandType)\nprotected static Command getCommand(int fetchSize, JdbcCommandType commandType)\nprotected static Command getCommand(List<String> params, JdbcCommandType commandType)\nprotected String concatPredicates(List<Predicate> predicateList)\nprivate JsonObject getDefaultWatermark()\nprivate Schema getCustomColumnSchema(String columnName)\npublic static boolean hasJoinOperation(String selectQuery)\nprivate static RecordSetList<JsonElement> getNewRecordSetList()\nprivate String toCase(String targetColumnName)\npublic String getLeftDelimitedIdentifier()\npublic String getRightDelimitedIdentifier()\n@Override public void closeConnection()\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: JdbcExtractorTest\n\nclass_fields: private final static List<MockJdbcColumn> COLUMNS = ImmutableList.of(new MockJdbcColumn(\"id\", \"1\", Types.INTEGER),\n new MockJdbcColumn(\"name\", \"name_1\", Types.VARCHAR), new MockJdbcColumn(\"age\", \"20\", Types.INTEGER));\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file gobblin-modules/gobblin-sql/src/main/java/org/apache/gobblin/source/jdbc/JdbcExtractor.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public Iterator<JsonElement> getData(CommandOutput<?, ?> response) throws DataRecordException, IOException {\n this.log.debug(\"Extract data records from resultset\");\n\n RecordSetList<JsonElement> recordSet = this.getNewRecordSetList();\n\n if (response == null || !this.hasNextRecord()) {\n return recordSet.iterator();\n }\n\n ResultSet resultset = null;\n Iterator<ResultSet> itr = (Iterator<ResultSet>) response.getResults().values().iterator();\n if (itr.hasNext()) {\n resultset = itr.next();\n } else {\n throw new DataRecordException(\"Failed to get source record count from database - Resultset has no records\");\n }\n\n try {\n final ResultSetMetaData resultsetMetadata = resultset.getMetaData();\n\n int batchSize = this.workUnitState.getPropAsInt(ConfigurationKeys.SOURCE_QUERYBASED_FETCH_SIZE, 0);\n batchSize = (batchSize == 0 ? ConfigurationKeys.DEFAULT_SOURCE_FETCH_SIZE : batchSize);\n\n int recordCount = 0;\n while (resultset.next()) {\n\n final int numColumns = resultsetMetadata.getColumnCount();\n JsonObject jsonObject = new JsonObject();\n\n for (int i = 1; i < numColumns + 1; i++) {\n final String columnName = this.getHeaderRecord().get(i - 1);\n jsonObject.addProperty(columnName, parseColumnAsString(resultset, resultsetMetadata, i));\n\n }\n\n recordSet.add(jsonObject);\n\n recordCount++;\n this.totalRecordCount++;\n\n // Insert records in record set until it reaches the batch size\n if (recordCount >= batchSize) {\n this.log.info(\"Total number of records processed so far: \" + this.totalRecordCount);\n return recordSet.iterator();\n }\n }\n this.setNextRecord(false);\n this.log.info(\"Total number of records processed so far: \" + this.totalRecordCount);\n return recordSet.iterator();\n } catch (Exception e) {\n throw new DataRecordException(\"Failed to get records from database; error - \" + e.getMessage(), 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 gobblin-modules/gobblin-sql/src/test/java/org/apache/gobblin/source/jdbc/JdbcExtractorTest.java\n </TESTFILE7041>\n @Test\n public void testGetData() throws Exception {\n\n CommandOutput<JdbcCommand, ResultSet> output = new JdbcCommandOutput();\n output.put(new JdbcCommand(), buildMockResultSet());\n\n State state = new WorkUnitState();\n state.setId(\"id\");\n JdbcExtractor jdbcExtractor = new MysqlExtractor((WorkUnitState) state);\n\n List<String> columnNames = Lists.newArrayListWithCapacity(COLUMNS.size());\n\n for (MockJdbcColumn mockJdbcColumn:COLUMNS) {\n columnNames.add(mockJdbcColumn.getColumnName());\n }\n\n jdbcExtractor.setHeaderRecord(columnNames);\n\n Iterator<JsonElement> itr = jdbcExtractor.getData(output);\n\n // Make sure there is an element in the iterator\n assertTrue(itr.hasNext());\n\n JsonObject obj = itr.next().getAsJsonObject();\n\n // Verify the columns\n for (MockJdbcColumn column : COLUMNS) {\n assertEquals(obj.get(column.getColumnName()).getAsString(), column.getValue());\n }\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lmco/eurekastreams | java | server/src/main/java/org/eurekastreams/commons/formatting/DateFormatter.java | server/src/test/java/org/eurekastreams/commons/formatting/DateFormatterTest.java | @SuppressWarnings("deprecation")
public static String timeAgo(final Date theDate, final Date nowDate, final boolean brief)
{
StringBuffer sb = new StringBuffer("");
long deltaMilliseconds = nowDate.getTime() - theDate.getTime();
// check for yesterday
// This trumps the "agos".
if (deltaMilliseconds < 2 * MILLISECONDS_PER_DAY)
{
// CANNOT just use a delta! Need to actually make sure the day of the event is within the day prior to
// today. Consider: if it is 8:30AM now, yesterday = everything from 8.5 to 32.5 hours ago. Using 24-48
// hours ago means that some of the day before yesterday will be labeled as yesterday which is just plain
// wrong.
int dayOfWeekDelta = nowDate.getDay() - theDate.getDay();
if (dayOfWeekDelta == 1 || dayOfWeekDelta == 1 - 7)
{
if (brief)
{
return "Yesterday";
}
else
{
sb.append("Yesterday at ");
appendTimeOfDay(sb, theDate);
return sb.toString();
}
}
}
if (deltaMilliseconds < MILLISECONDS_PER_MINUTE)
{
sb.append("Less than one minute ago");
}
else if (deltaMilliseconds < 2 * MILLISECONDS_PER_MINUTE)
{
sb.append("1 minute ago");
}
else if (deltaMilliseconds < MILLISECONDS_PER_HOUR)
{
sb.append(deltaMilliseconds / MILLISECONDS_PER_MINUTE);
sb.append(" minutes ago");
}
else if (deltaMilliseconds < 2 * MILLISECONDS_PER_HOUR)
{
sb.append("1 hour ago");
}
else if (deltaMilliseconds < MILLISECONDS_PER_DAY)
{
sb.append(deltaMilliseconds / MILLISECONDS_PER_HOUR);
sb.append(" hours ago");
}
else
{
// for older than yesterday
// For the past week, use the day of week name + time. But cut it off such that if today is Tuesday, that
// last Tuesday doesn't fall under this rule. That way there's no confusion about which Tuesday it's talking
// about.
if (deltaMilliseconds < 7 * MILLISECONDS_PER_DAY && nowDate.getDay() != theDate.getDay())
{
appendDayOfWeek(sb, theDate);
}
else
{
// For older dates, use the month/day + time, and add the year on the end if it's not from this year.
appendDate(sb, theDate, theDate.getYear() != nowDate.getYear());
}
if (!brief)
{
sb.append(" at ");
appendTimeOfDay(sb, theDate);
}
}
return sb.toString();
} | timeAgo | @Test
public void testConstructor()
{
Date date = new Date();
String result = new DateFormatter().timeAgo(date);
assertEquals("Default constructor should initialize with current time.", "Less than one minute ago", result);
} | testConstructor | [
"getTime",
"getTime",
"getDay",
"getDay",
"append",
"appendTimeOfDay",
"toString",
"append",
"append",
"append",
"append",
"append",
"append",
"append",
"getDay",
"getDay",
"appendDayOfWeek",
"appendDate",
"getYear",
"getYear",
"append",
"appendTimeOfDay",
"toString"
] | [
"timeAgo",
"assertEquals"
] | {
"class_fields": "",
"class_name": "DateFormatterTest"
} | {
"class_fields": "private static final int MILLISECONDS_PER_SECOND = 1000;\nprivate static final int MILLISECONDS_PER_MINUTE = 60 * 1000;\nprivate static final int MILLISECONDS_PER_HOUR = 60 * 60 * 1000;\nprivate static final int MILLISECONDS_PER_DAY = (24 * 60 * 60 * 1000);\nprivate static final String[] DAY_OF_WEEK_NAMES = { \"Sunday\", \"Monday\", \"Tuesday\", \"Wednesday\", \"Thursday\",\n \"Friday\", \"Saturday\" };\nprivate static final String[] MONTH_NAMES = { \"Jan\", \"Feb\", \"Mar\", \"Apr\", \"May\", \"Jun\", \"Jul\", \"Aug\", \"Sep\", \"Oct\",\n \"Nov\", \"Dec\" };\nprivate static final int YEAR_BASE = 1900;\nprivate Date baseDate;",
"class_name": "DateFormatter",
"method_signatures": "public DateFormatter()\npublic DateFormatter(final Date inBaseDate)\n@SuppressWarnings(\"deprecation\") public static String timeAgo(final Date theDate, final Date nowDate, final boolean brief)\n@SuppressWarnings(\"deprecation\") private static void appendDayOfWeek(final StringBuffer sb, final Date theDate)\n@SuppressWarnings(\"deprecation\") private static void appendDate(final StringBuffer sb, final Date theDate, final boolean withYear)\n@SuppressWarnings(\"deprecation\") private static void appendTimeOfDay(final StringBuffer sb, final Date theDate)\npublic String timeAgo(final Date theDate)\npublic String timeAgo(final Date theDate, final boolean brief)"
} | [
{
"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: server/src/main/java/org/eurekastreams/commons/formatting/DateFormatter.java for which to generate the test case is:\nclass_name: DateFormatter\n\nclass_fields: private static final int MILLISECONDS_PER_SECOND = 1000;\nprivate static final int MILLISECONDS_PER_MINUTE = 60 * 1000;\nprivate static final int MILLISECONDS_PER_HOUR = 60 * 60 * 1000;\nprivate static final int MILLISECONDS_PER_DAY = (24 * 60 * 60 * 1000);\nprivate static final String[] DAY_OF_WEEK_NAMES = { \"Sunday\", \"Monday\", \"Tuesday\", \"Wednesday\", \"Thursday\",\n \"Friday\", \"Saturday\" };\nprivate static final String[] MONTH_NAMES = { \"Jan\", \"Feb\", \"Mar\", \"Apr\", \"May\", \"Jun\", \"Jul\", \"Aug\", \"Sep\", \"Oct\",\n \"Nov\", \"Dec\" };\nprivate static final int YEAR_BASE = 1900;\nprivate Date baseDate;\n\nmethod_signatures: public DateFormatter()\npublic DateFormatter(final Date inBaseDate)\n@SuppressWarnings(\"deprecation\") public static String timeAgo(final Date theDate, final Date nowDate, final boolean brief)\n@SuppressWarnings(\"deprecation\") private static void appendDayOfWeek(final StringBuffer sb, final Date theDate)\n@SuppressWarnings(\"deprecation\") private static void appendDate(final StringBuffer sb, final Date theDate, final boolean withYear)\n@SuppressWarnings(\"deprecation\") private static void appendTimeOfDay(final StringBuffer sb, final Date theDate)\npublic String timeAgo(final Date theDate)\npublic String timeAgo(final Date theDate, final boolean brief)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: DateFormatterTest\n\nclass_fields: \n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file server/src/main/java/org/eurekastreams/commons/formatting/DateFormatter.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @SuppressWarnings(\"deprecation\")\n public static String timeAgo(final Date theDate, final Date nowDate, final boolean brief)\n {\n StringBuffer sb = new StringBuffer(\"\");\n long deltaMilliseconds = nowDate.getTime() - theDate.getTime();\n\n // check for yesterday\n // This trumps the \"agos\".\n if (deltaMilliseconds < 2 * MILLISECONDS_PER_DAY)\n {\n // CANNOT just use a delta! Need to actually make sure the day of the event is within the day prior to\n // today. Consider: if it is 8:30AM now, yesterday = everything from 8.5 to 32.5 hours ago. Using 24-48\n // hours ago means that some of the day before yesterday will be labeled as yesterday which is just plain\n // wrong.\n int dayOfWeekDelta = nowDate.getDay() - theDate.getDay();\n if (dayOfWeekDelta == 1 || dayOfWeekDelta == 1 - 7)\n {\n if (brief)\n {\n return \"Yesterday\";\n }\n else\n {\n sb.append(\"Yesterday at \");\n appendTimeOfDay(sb, theDate);\n return sb.toString();\n }\n }\n }\n\n if (deltaMilliseconds < MILLISECONDS_PER_MINUTE)\n {\n sb.append(\"Less than one minute ago\");\n }\n else if (deltaMilliseconds < 2 * MILLISECONDS_PER_MINUTE)\n {\n sb.append(\"1 minute ago\");\n }\n else if (deltaMilliseconds < MILLISECONDS_PER_HOUR)\n {\n sb.append(deltaMilliseconds / MILLISECONDS_PER_MINUTE);\n sb.append(\" minutes ago\");\n }\n else if (deltaMilliseconds < 2 * MILLISECONDS_PER_HOUR)\n {\n sb.append(\"1 hour ago\");\n }\n else if (deltaMilliseconds < MILLISECONDS_PER_DAY)\n {\n sb.append(deltaMilliseconds / MILLISECONDS_PER_HOUR);\n sb.append(\" hours ago\");\n }\n else\n {\n // for older than yesterday\n\n // For the past week, use the day of week name + time. But cut it off such that if today is Tuesday, that\n // last Tuesday doesn't fall under this rule. That way there's no confusion about which Tuesday it's talking\n // about.\n if (deltaMilliseconds < 7 * MILLISECONDS_PER_DAY && nowDate.getDay() != theDate.getDay())\n {\n appendDayOfWeek(sb, theDate);\n }\n else\n {\n // For older dates, use the month/day + time, and add the year on the end if it's not from this year.\n appendDate(sb, theDate, theDate.getYear() != nowDate.getYear());\n }\n if (!brief)\n {\n sb.append(\" at \");\n appendTimeOfDay(sb, theDate);\n }\n }\n\n return sb.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 server/src/test/java/org/eurekastreams/commons/formatting/DateFormatterTest.java\n </TESTFILE7041>\n @Test\n public void testConstructor()\n {\n Date date = new Date();\n String result = new DateFormatter().timeAgo(date);\n assertEquals(\"Default constructor should initialize with current time.\", \"Less than one minute ago\", result);\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lmco/eurekastreams | java | server/src/main/java/org/eurekastreams/server/action/execution/GetSystemSettingsExecution.java | server/src/test/java/org/eurekastreams/server/action/execution/GetSystemSettingsExecutionTest.java | @Override
public SystemSettings execute(final ActionContext inActionContext)
{
SystemSettings settings = systemSettingsDAO.execute(null);
if (settings.getSupportStreamGroupShortName() != null
&& settings.getSupportStreamGroupShortName().length() > 0)
{
log.debug("looking for group " + settings.getSupportStreamGroupShortName());
List<DomainGroupModelView> groups = groupByShortNameMapper.execute(Collections.singletonList(settings
.getSupportStreamGroupShortName()));
if (groups.size() == 1)
{
log.debug("setting group website " + groups.get(0).getUrl());
settings.setSupportStreamWebsite(groups.get(0).getUrl());
}
}
if ((inActionContext.getParams() instanceof Boolean) && (Boolean) inActionContext.getParams())
{
log.debug("User wants fully populated system settings - fetch admins and membership criteria.");
List<PersonModelView> adminsList = systemAdminsMapper.execute(null);
log.debug("Found system admins: " + adminsList);
Set<PersonModelView> adminsSet = new HashSet<PersonModelView>();
adminsSet.addAll(adminsList);
// get the people and convert it to a set, which is what the client expects
settings.setSystemAdministrators(adminsSet);
// Load membership criteria dtos.
settings.setMembershipCriteria(membershipCriteriaDAO.execute(null));
// get GalleryTabTemplates.
settings.setGalleryTabTemplates(galleryTabTemplateDAO.findSortedByRecent(0, maxGalleryItems).getPagedSet());
// get themes.
settings.setThemes(themeTransformer.transform(themeDAO.findSortedByRecent(0, maxGalleryItems)
.getPagedSet()));
}
return settings;
} | execute | @Test
public final void testExecuteWithFullyLoadingZeroLengthSupportStream()
{
PersonModelView admin = new PersonModelView();
final List<PersonModelView> adminsList = new ArrayList<PersonModelView>();
adminsList.add(admin);
final Set<PersonModelView> adminsSet = new HashSet<PersonModelView>();
adminsSet.add(admin);
final List<MembershipCriteriaDTO> mcdtos = new ArrayList<MembershipCriteriaDTO>(Arrays
.asList(new MembershipCriteriaDTO(5L, "foo", null, null, null, null)));
final PagedSet<GalleryTabTemplateDTO> gtts = new PagedSet<GalleryTabTemplateDTO>(0, 50, 0,
new ArrayList<GalleryTabTemplateDTO>(0));
final PagedSet<Theme> themes = new PagedSet<Theme>(0, 50, 0, new ArrayList<Theme>(0));
final List<ThemeDTO> themeDTOs = new ArrayList<ThemeDTO>(0);
context.checking(new Expectations()
{
{
oneOf(systemSettingDAO).execute(null);
will(returnValue(systemSettings));
oneOf(systemSettings).setSystemAdministrators(with(IsEqualInternally.equalInternally(adminsSet)));
allowing(systemSettings).getSystemAdministrators();
will(returnValue(adminsSet));
allowing(actionContext).getParams();
will(returnValue(new Boolean(true)));
oneOf(systemAdminsMapper).execute(null);
will(returnValue(adminsList));
oneOf(membershipCriteriaDAO).execute(null);
will(returnValue(mcdtos));
oneOf(systemSettings).setMembershipCriteria((with(IsEqualInternally.equalInternally(mcdtos))));
allowing(systemSettings).getMembershipCriteria();
will(returnValue(mcdtos));
oneOf(galleryTabTemplateDAO).findSortedByRecent(0, maxGalleryItems);
will(returnValue(gtts));
oneOf(systemSettings).setGalleryTabTemplates(
(with(IsEqualInternally.equalInternally(gtts.getPagedSet()))));
allowing(systemSettings).getMembershipCriteria();
will(returnValue(gtts));
allowing(systemSettings).getSupportStreamGroupShortName();
will(returnValue(""));
oneOf(themeDAO).findSortedByRecent(0, maxGalleryItems);
will(returnValue(themes));
oneOf(themeTransformer).transform(with(IsEqualInternally.equalInternally(themes.getPagedSet())));
will(returnValue(themeDTOs));
oneOf(systemSettings).setThemes(themeDTOs);
allowing(systemSettings).getMembershipCriteria();
will(returnValue(themes));
}
});
assertEquals(systemSettings, sut.execute(actionContext));
assertEquals(1, systemSettings.getSystemAdministrators().size());
assertTrue(systemSettings.getSystemAdministrators().contains(admin));
assertEquals("foo", systemSettings.getMembershipCriteria().get(0).getCriteria());
context.assertIsSatisfied();
} | testExecuteWithFullyLoadingZeroLengthSupportStream | [
"execute",
"getSupportStreamGroupShortName",
"length",
"getSupportStreamGroupShortName",
"debug",
"getSupportStreamGroupShortName",
"execute",
"singletonList",
"getSupportStreamGroupShortName",
"size",
"debug",
"getUrl",
"get",
"setSupportStreamWebsite",
"getUrl",
"get",
"getParams",
"getParams",
"debug",
"execute",
"debug",
"addAll",
"setSystemAdministrators",
"setMembershipCriteria",
"execute",
"setGalleryTabTemplates",
"getPagedSet",
"findSortedByRecent",
"setThemes",
"transform",
"getPagedSet",
"findSortedByRecent"
] | [
"add",
"add",
"asList",
"checking",
"execute",
"oneOf",
"will",
"returnValue",
"setSystemAdministrators",
"oneOf",
"with",
"equalInternally",
"getSystemAdministrators",
"allowing",
"will",
"returnValue",
"getParams",
"allowing",
"will",
"returnValue",
"execute",
"oneOf",
"will",
"returnValue",
"execute",
"oneOf",
"will",
"returnValue",
"setMembershipCriteria",
"oneOf",
"with",
"equalInternally",
"getMembershipCriteria",
"allowing",
"will",
"returnValue",
"findSortedByRecent",
"oneOf",
"will",
"returnValue",
"setGalleryTabTemplates",
"oneOf",
"with",
"equalInternally",
"getPagedSet",
"getMembershipCriteria",
"allowing",
"will",
"returnValue",
"getSupportStreamGroupShortName",
"allowing",
"will",
"returnValue",
"findSortedByRecent",
"oneOf",
"will",
"returnValue",
"transform",
"oneOf",
"with",
"equalInternally",
"getPagedSet",
"will",
"returnValue",
"setThemes",
"oneOf",
"getMembershipCriteria",
"allowing",
"will",
"returnValue",
"assertEquals",
"execute",
"assertEquals",
"size",
"getSystemAdministrators",
"assertTrue",
"contains",
"getSystemAdministrators",
"assertEquals",
"getCriteria",
"get",
"getMembershipCriteria",
"assertIsSatisfied"
] | {
"class_fields": "private final Mockery context = new JUnit4Mockery()\n {\n {\n setImposteriser(ClassImposteriser.INSTANCE);\n }\n };\nprivate GetSystemSettingsExecution sut = null;\nprivate DomainMapper<MapperRequest, SystemSettings> systemSettingDAO = context.mock(DomainMapper.class);\nprivate SystemSettings systemSettings = context.mock(SystemSettings.class);\nprivate DomainMapper<Serializable, List<PersonModelView>> systemAdminsMapper = context.mock(DomainMapper.class,\n \"systemAdminsMapper\");\nprivate DomainMapper<MapperRequest, List<MembershipCriteriaDTO>> membershipCriteriaDAO = context.mock(\n DomainMapper.class, \"membershipCriteriaDAO\");\nprivate GalleryItemMapper<GalleryTabTemplateDTO> galleryTabTemplateDAO = context.mock(GalleryItemMapper.class,\n \"galleryTabTemplateDAO\");\nprivate GalleryItemMapper<Theme> themeDAO = context.mock(GalleryItemMapper.class, \"themeDAO\");\nTransformer<List<Theme>, List<ThemeDTO>> themeTransformer = context.mock(Transformer.class);\nprivate GetDomainGroupsByShortNames groupMapper = context.mock(GetDomainGroupsByShortNames.class);\nprivate PrincipalActionContext actionContext = context.mock(PrincipalActionContext.class);\nprivate final int maxGalleryItems = 50;",
"class_name": "GetSystemSettingsExecutionTest"
} | {
"class_fields": "private Log log = LogFactory.make();\nprivate DomainMapper<MapperRequest, SystemSettings> systemSettingsDAO;\nprivate DomainMapper<Serializable, List<PersonModelView>> systemAdminsMapper;\nprivate DomainMapper<MapperRequest, List<MembershipCriteriaDTO>> membershipCriteriaDAO;\nprivate GalleryItemMapper<GalleryTabTemplateDTO> galleryTabTemplateDAO;\nprivate GetDomainGroupsByShortNames groupByShortNameMapper;\nprivate GalleryItemMapper<Theme> themeDAO;\nprivate Transformer<List<Theme>, List<ThemeDTO>> themeTransformer;\nprivate final int maxGalleryItems = 50;",
"class_name": "GetSystemSettingsExecution implements ExecutionStrategy<ActionContext>",
"method_signatures": "public GetSystemSettingsExecution(\n final DomainMapper<MapperRequest, SystemSettings> inSystemSettingsDAO,\n final DomainMapper<Serializable, List<PersonModelView>> inSystemAdminsMapper,\n final DomainMapper<MapperRequest, List<MembershipCriteriaDTO>> inMembershipCriteriaDAO,\n final GalleryItemMapper<GalleryTabTemplateDTO> inGalleryTabTemplateDAO,\n final GalleryItemMapper<Theme> inThemeDAO, //\n final Transformer<List<Theme>, List<ThemeDTO>> inThemeTransformer,\n final GetDomainGroupsByShortNames inGroupByShortNameMapper)\n@Override public SystemSettings execute(final ActionContext inActionContext)"
} | [
{
"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: server/src/main/java/org/eurekastreams/server/action/execution/GetSystemSettingsExecution.java for which to generate the test case is:\nclass_name: GetSystemSettingsExecution implements ExecutionStrategy<ActionContext>\n\nclass_fields: private Log log = LogFactory.make();\nprivate DomainMapper<MapperRequest, SystemSettings> systemSettingsDAO;\nprivate DomainMapper<Serializable, List<PersonModelView>> systemAdminsMapper;\nprivate DomainMapper<MapperRequest, List<MembershipCriteriaDTO>> membershipCriteriaDAO;\nprivate GalleryItemMapper<GalleryTabTemplateDTO> galleryTabTemplateDAO;\nprivate GetDomainGroupsByShortNames groupByShortNameMapper;\nprivate GalleryItemMapper<Theme> themeDAO;\nprivate Transformer<List<Theme>, List<ThemeDTO>> themeTransformer;\nprivate final int maxGalleryItems = 50;\n\nmethod_signatures: public GetSystemSettingsExecution(\n final DomainMapper<MapperRequest, SystemSettings> inSystemSettingsDAO,\n final DomainMapper<Serializable, List<PersonModelView>> inSystemAdminsMapper,\n final DomainMapper<MapperRequest, List<MembershipCriteriaDTO>> inMembershipCriteriaDAO,\n final GalleryItemMapper<GalleryTabTemplateDTO> inGalleryTabTemplateDAO,\n final GalleryItemMapper<Theme> inThemeDAO, //\n final Transformer<List<Theme>, List<ThemeDTO>> inThemeTransformer,\n final GetDomainGroupsByShortNames inGroupByShortNameMapper)\n@Override public SystemSettings execute(final ActionContext inActionContext)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: GetSystemSettingsExecutionTest\n\nclass_fields: private final Mockery context = new JUnit4Mockery()\n {\n {\n setImposteriser(ClassImposteriser.INSTANCE);\n }\n };\nprivate GetSystemSettingsExecution sut = null;\nprivate DomainMapper<MapperRequest, SystemSettings> systemSettingDAO = context.mock(DomainMapper.class);\nprivate SystemSettings systemSettings = context.mock(SystemSettings.class);\nprivate DomainMapper<Serializable, List<PersonModelView>> systemAdminsMapper = context.mock(DomainMapper.class,\n \"systemAdminsMapper\");\nprivate DomainMapper<MapperRequest, List<MembershipCriteriaDTO>> membershipCriteriaDAO = context.mock(\n DomainMapper.class, \"membershipCriteriaDAO\");\nprivate GalleryItemMapper<GalleryTabTemplateDTO> galleryTabTemplateDAO = context.mock(GalleryItemMapper.class,\n \"galleryTabTemplateDAO\");\nprivate GalleryItemMapper<Theme> themeDAO = context.mock(GalleryItemMapper.class, \"themeDAO\");\nTransformer<List<Theme>, List<ThemeDTO>> themeTransformer = context.mock(Transformer.class);\nprivate GetDomainGroupsByShortNames groupMapper = context.mock(GetDomainGroupsByShortNames.class);\nprivate PrincipalActionContext actionContext = context.mock(PrincipalActionContext.class);\nprivate final int maxGalleryItems = 50;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file server/src/main/java/org/eurekastreams/server/action/execution/GetSystemSettingsExecution.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public SystemSettings execute(final ActionContext inActionContext)\n {\n SystemSettings settings = systemSettingsDAO.execute(null);\n if (settings.getSupportStreamGroupShortName() != null\n && settings.getSupportStreamGroupShortName().length() > 0)\n {\n log.debug(\"looking for group \" + settings.getSupportStreamGroupShortName());\n List<DomainGroupModelView> groups = groupByShortNameMapper.execute(Collections.singletonList(settings\n .getSupportStreamGroupShortName()));\n\n if (groups.size() == 1)\n {\n log.debug(\"setting group website \" + groups.get(0).getUrl());\n settings.setSupportStreamWebsite(groups.get(0).getUrl());\n }\n }\n \n if ((inActionContext.getParams() instanceof Boolean) && (Boolean) inActionContext.getParams())\n {\n log.debug(\"User wants fully populated system settings - fetch admins and membership criteria.\");\n\n List<PersonModelView> adminsList = systemAdminsMapper.execute(null);\n log.debug(\"Found system admins: \" + adminsList);\n\n Set<PersonModelView> adminsSet = new HashSet<PersonModelView>();\n adminsSet.addAll(adminsList);\n\n // get the people and convert it to a set, which is what the client expects\n settings.setSystemAdministrators(adminsSet);\n\n // Load membership criteria dtos.\n settings.setMembershipCriteria(membershipCriteriaDAO.execute(null));\n\n // get GalleryTabTemplates.\n settings.setGalleryTabTemplates(galleryTabTemplateDAO.findSortedByRecent(0, maxGalleryItems).getPagedSet());\n\n // get themes.\n settings.setThemes(themeTransformer.transform(themeDAO.findSortedByRecent(0, maxGalleryItems)\n .getPagedSet()));\n }\n return settings;\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 server/src/test/java/org/eurekastreams/server/action/execution/GetSystemSettingsExecutionTest.java\n </TESTFILE7041>\n @Test\n public final void testExecuteWithFullyLoadingZeroLengthSupportStream()\n {\n PersonModelView admin = new PersonModelView();\n final List<PersonModelView> adminsList = new ArrayList<PersonModelView>();\n adminsList.add(admin);\n\n final Set<PersonModelView> adminsSet = new HashSet<PersonModelView>();\n adminsSet.add(admin);\n\n final List<MembershipCriteriaDTO> mcdtos = new ArrayList<MembershipCriteriaDTO>(Arrays\n .asList(new MembershipCriteriaDTO(5L, \"foo\", null, null, null, null)));\n\n final PagedSet<GalleryTabTemplateDTO> gtts = new PagedSet<GalleryTabTemplateDTO>(0, 50, 0,\n new ArrayList<GalleryTabTemplateDTO>(0));\n final PagedSet<Theme> themes = new PagedSet<Theme>(0, 50, 0, new ArrayList<Theme>(0));\n final List<ThemeDTO> themeDTOs = new ArrayList<ThemeDTO>(0);\n\n context.checking(new Expectations()\n {\n {\n oneOf(systemSettingDAO).execute(null);\n will(returnValue(systemSettings));\n\n oneOf(systemSettings).setSystemAdministrators(with(IsEqualInternally.equalInternally(adminsSet)));\n\n allowing(systemSettings).getSystemAdministrators();\n will(returnValue(adminsSet));\n\n allowing(actionContext).getParams();\n will(returnValue(new Boolean(true)));\n\n oneOf(systemAdminsMapper).execute(null);\n will(returnValue(adminsList));\n\n oneOf(membershipCriteriaDAO).execute(null);\n will(returnValue(mcdtos));\n\n oneOf(systemSettings).setMembershipCriteria((with(IsEqualInternally.equalInternally(mcdtos))));\n\n allowing(systemSettings).getMembershipCriteria();\n will(returnValue(mcdtos));\n\n oneOf(galleryTabTemplateDAO).findSortedByRecent(0, maxGalleryItems);\n will(returnValue(gtts));\n\n oneOf(systemSettings).setGalleryTabTemplates(\n (with(IsEqualInternally.equalInternally(gtts.getPagedSet()))));\n\n allowing(systemSettings).getMembershipCriteria();\n will(returnValue(gtts));\n \n allowing(systemSettings).getSupportStreamGroupShortName();\n will(returnValue(\"\"));\n \n oneOf(themeDAO).findSortedByRecent(0, maxGalleryItems);\n will(returnValue(themes));\n\n oneOf(themeTransformer).transform(with(IsEqualInternally.equalInternally(themes.getPagedSet())));\n will(returnValue(themeDTOs));\n\n oneOf(systemSettings).setThemes(themeDTOs);\n\n allowing(systemSettings).getMembershipCriteria();\n will(returnValue(themes));\n }\n });\n\n assertEquals(systemSettings, sut.execute(actionContext));\n assertEquals(1, systemSettings.getSystemAdministrators().size());\n assertTrue(systemSettings.getSystemAdministrators().contains(admin));\n assertEquals(\"foo\", systemSettings.getMembershipCriteria().get(0).getCriteria());\n context.assertIsSatisfied();\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lmco/eurekastreams | java | server/src/main/java/org/eurekastreams/server/action/authorization/start/TabPermission.java | server/src/test/java/org/eurekastreams/server/action/authorization/start/TabPermissionTest.java | public boolean canModifyGadgets(final String inAccountId, final Long inTabId, final boolean throwException)
{
AuthorizationException exception = throwException ? new AuthorizationException(
"Insufficient permissions to modify gadgets on tab.") : null;
return isCurrentUserStartTab(inAccountId, inTabId, exception);
} | canModifyGadgets | @Test
public void testCanRenameTabAllowChange()
{
final long tabIdToDelete = 9L;
context.checking(new Expectations()
{
{
oneOf(tabPermissionMapper).execute(TEST_USER_ACCOUNTID, tabIdToDelete);
will(returnValue(true));
}
});
Assert.assertTrue(sut.canModifyGadgets(TEST_USER_ACCOUNTID, new Long(tabIdToDelete), false));
context.assertIsSatisfied();
} | testCanRenameTabAllowChange | [
"isCurrentUserStartTab"
] | [
"checking",
"execute",
"oneOf",
"will",
"returnValue",
"assertTrue",
"canModifyGadgets",
"assertIsSatisfied"
] | {
"class_fields": "private final JUnit4Mockery context = new JUnit4Mockery()\n {\n {\n setImposteriser(ClassImposteriser.INSTANCE);\n }\n };\nprivate final GetTabPermissionByPersonAndTab tabPermissionMapper =\n context.mock(GetTabPermissionByPersonAndTab.class);\nprivate final UserDetails userDetails = context.mock(UserDetails.class);\nprivate static final String TEST_USER_ACCOUNTID = \"testaccount\";\nprivate TabPermission sut;",
"class_name": "TabPermissionTest"
} | {
"class_fields": "private GetTabPermissionByPersonAndTab tabPermissionsMapper;\nprivate static Log logger = LogFactory.getLog(TabPermission.class);",
"class_name": "TabPermission",
"method_signatures": "public TabPermission(final GetTabPermissionByPersonAndTab inTabPermissionsMapper)\npublic boolean canDeleteStartPageTab(final String inAccountId, final Long inTabId, final boolean throwException)\npublic boolean canChangeTabLayout(final String inAccountId, final Long inTabId, final boolean throwException)\npublic boolean canModifyGadgets(final String inAccountId, final Long inTabId, final boolean throwException)\npublic boolean canRenameTab(final String inAccountId, final Long inTabId, final boolean throwException)\nprivate boolean isCurrentUserStartTab(final String inAccountId, final Long inTabId, // \\n\n final RuntimeException exception)"
} | [
{
"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: server/src/main/java/org/eurekastreams/server/action/authorization/start/TabPermission.java for which to generate the test case is:\nclass_name: TabPermission\n\nclass_fields: private GetTabPermissionByPersonAndTab tabPermissionsMapper;\nprivate static Log logger = LogFactory.getLog(TabPermission.class);\n\nmethod_signatures: public TabPermission(final GetTabPermissionByPersonAndTab inTabPermissionsMapper)\npublic boolean canDeleteStartPageTab(final String inAccountId, final Long inTabId, final boolean throwException)\npublic boolean canChangeTabLayout(final String inAccountId, final Long inTabId, final boolean throwException)\npublic boolean canModifyGadgets(final String inAccountId, final Long inTabId, final boolean throwException)\npublic boolean canRenameTab(final String inAccountId, final Long inTabId, final boolean throwException)\nprivate boolean isCurrentUserStartTab(final String inAccountId, final Long inTabId, // \\n\n final RuntimeException exception)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: TabPermissionTest\n\nclass_fields: private final JUnit4Mockery context = new JUnit4Mockery()\n {\n {\n setImposteriser(ClassImposteriser.INSTANCE);\n }\n };\nprivate final GetTabPermissionByPersonAndTab tabPermissionMapper =\n context.mock(GetTabPermissionByPersonAndTab.class);\nprivate final UserDetails userDetails = context.mock(UserDetails.class);\nprivate static final String TEST_USER_ACCOUNTID = \"testaccount\";\nprivate TabPermission sut;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file server/src/main/java/org/eurekastreams/server/action/authorization/start/TabPermission.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public boolean canModifyGadgets(final String inAccountId, final Long inTabId, final boolean throwException)\n {\n AuthorizationException exception = throwException ? new AuthorizationException(\n \"Insufficient permissions to modify gadgets on tab.\") : null;\n return isCurrentUserStartTab(inAccountId, inTabId, exception);\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 server/src/test/java/org/eurekastreams/server/action/authorization/start/TabPermissionTest.java\n </TESTFILE7041>\n @Test\n public void testCanRenameTabAllowChange()\n {\n final long tabIdToDelete = 9L;\n\n context.checking(new Expectations()\n {\n {\n oneOf(tabPermissionMapper).execute(TEST_USER_ACCOUNTID, tabIdToDelete);\n will(returnValue(true));\n }\n });\n\n Assert.assertTrue(sut.canModifyGadgets(TEST_USER_ACCOUNTID, new Long(tabIdToDelete), false));\n context.assertIsSatisfied();\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/mycila/license-maven-plugin | java | license-maven-plugin/src/main/java/com/mycila/maven/plugin/license/header/HeaderDefinition.java | license-maven-plugin/src/test/java/com/mycila/maven/plugin/license/header/HeaderDefinitionTest.java | public void validate() {
check("firstLine", this.firstLine);
check("beforeEachLine", this.beforeEachLine);
check("endLine", this.endLine);
check("afterEachLine", this.afterEachLine);
check("firstLineDetectionPattern", this.firstLineDetectionPattern);
check("lastLineDetectionPattern", this.lastLineDetectionPattern);
check("isMultiline", this.isMultiline);
check("allowBlankLines", this.allowBlankLines);
// skip line can be null
} | validate | @Test(expected = IllegalStateException.class)
public void test_missing_end() throws Exception {
HeaderDefinition def = new HeaderDefinition("aa", "firstLine", "before", null, "after", null, "firstDetect", "lastDetect", false, false, false);
def.validate();
} | test_missing_end | [
"check",
"check",
"check",
"check",
"check",
"check",
"check",
"check"
] | [
"validate"
] | {
"class_fields": "",
"class_name": "HeaderDefinitionTest"
} | {
"class_fields": "private final String type;\nprivate String firstLine = \"\";\nprivate String beforeEachLine = \"\";\nprivate String endLine = \"\";\nprivate String afterEachLine = \"\";\nprivate Boolean allowBlankLines;\nprivate Pattern skipLinePattern;\nprivate Pattern firstLineDetectionPattern;\nprivate Pattern lastLineDetectionPattern;\nprivate Boolean isMultiline;\nprivate boolean padLines = false;",
"class_name": "HeaderDefinition",
"method_signatures": "public HeaderDefinition(String type,\n String firstLine, String beforeEachLine,\n String endLine, String afterEachLine,\n String skipLinePattern,\n String firstLineDetectionPattern, String lastLineDetectionPattern,\n boolean allowBlankLines, boolean isMultiline, boolean padLines)\npublic HeaderDefinition(String type)\nprivate Pattern compile(String regexp)\npublic String getFirstLine()\npublic String getBeforeEachLine()\npublic String getEndLine()\npublic String getAfterEachLine()\npublic String getType()\npublic boolean allowBlankLines()\npublic boolean isPadLines()\npublic boolean isSkipLine(String line)\npublic boolean isFirstHeaderLine(String line)\npublic boolean isLastHeaderLine(String line)\nprotected Pattern getSkipLinePattern()\npublic void setPropertyFromString(String property, String value)\npublic void validate()\nprivate void check(String name, Boolean value)\nprivate void check(String name, String value)\nprivate void check(String name, Pattern value)\nprivate boolean isEmpty(String s)\n@Override public boolean equals(Object o)\n@Override public int hashCode()\n@Override public String toString()\npublic boolean isMultiLine()"
} | [
{
"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: license-maven-plugin/src/main/java/com/mycila/maven/plugin/license/header/HeaderDefinition.java for which to generate the test case is:\nclass_name: HeaderDefinition\n\nclass_fields: private final String type;\nprivate String firstLine = \"\";\nprivate String beforeEachLine = \"\";\nprivate String endLine = \"\";\nprivate String afterEachLine = \"\";\nprivate Boolean allowBlankLines;\nprivate Pattern skipLinePattern;\nprivate Pattern firstLineDetectionPattern;\nprivate Pattern lastLineDetectionPattern;\nprivate Boolean isMultiline;\nprivate boolean padLines = false;\n\nmethod_signatures: public HeaderDefinition(String type,\n String firstLine, String beforeEachLine,\n String endLine, String afterEachLine,\n String skipLinePattern,\n String firstLineDetectionPattern, String lastLineDetectionPattern,\n boolean allowBlankLines, boolean isMultiline, boolean padLines)\npublic HeaderDefinition(String type)\nprivate Pattern compile(String regexp)\npublic String getFirstLine()\npublic String getBeforeEachLine()\npublic String getEndLine()\npublic String getAfterEachLine()\npublic String getType()\npublic boolean allowBlankLines()\npublic boolean isPadLines()\npublic boolean isSkipLine(String line)\npublic boolean isFirstHeaderLine(String line)\npublic boolean isLastHeaderLine(String line)\nprotected Pattern getSkipLinePattern()\npublic void setPropertyFromString(String property, String value)\npublic void validate()\nprivate void check(String name, Boolean value)\nprivate void check(String name, String value)\nprivate void check(String name, Pattern value)\nprivate boolean isEmpty(String s)\n@Override public boolean equals(Object o)\n@Override public int hashCode()\n@Override public String toString()\npublic boolean isMultiLine()\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: HeaderDefinitionTest\n\nclass_fields: \n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file license-maven-plugin/src/main/java/com/mycila/maven/plugin/license/header/HeaderDefinition.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public void validate() {\n check(\"firstLine\", this.firstLine);\n check(\"beforeEachLine\", this.beforeEachLine);\n check(\"endLine\", this.endLine);\n check(\"afterEachLine\", this.afterEachLine);\n check(\"firstLineDetectionPattern\", this.firstLineDetectionPattern);\n check(\"lastLineDetectionPattern\", this.lastLineDetectionPattern);\n check(\"isMultiline\", this.isMultiline);\n check(\"allowBlankLines\", this.allowBlankLines);\n // skip line can be null\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 license-maven-plugin/src/test/java/com/mycila/maven/plugin/license/header/HeaderDefinitionTest.java\n </TESTFILE7041>\n @Test(expected = IllegalStateException.class)\n public void test_missing_end() throws Exception {\n HeaderDefinition def = new HeaderDefinition(\"aa\", \"firstLine\", \"before\", null, \"after\", null, \"firstDetect\", \"lastDetect\", false, false, false);\n def.validate();\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lorthos/incubator-zeppelin-druid | java | scalding/src/main/java/org/apache/zeppelin/scalding/ScaldingInterpreter.java | scalding/src/test/java/org/apache/zeppelin/scalding/ScaldingInterpreterTest.java | @Override
public InterpreterResult interpret(String cmd, InterpreterContext contextInterpreter) {
logger.info("Running Scalding command '" + cmd + "'");
if (cmd == null || cmd.trim().length() == 0) {
return new InterpreterResult(Code.SUCCESS);
}
return interpret(cmd.split("\n"), contextInterpreter);
} | interpret | @Test
public void testBasicScalding() {
assertEquals(InterpreterResult.Code.SUCCESS,
repl.interpret("case class Sale(state: String, name: String, sale: Int)\n" +
"val salesList = List(Sale(\"CA\", \"A\", 60), Sale(\"CA\", \"A\", 20), Sale(\"VA\", \"B\", 15))\n" +
"val salesPipe = TypedPipe.from(salesList)\n" +
"val results = salesPipe.map{x => (1, Set(x.state), x.sale)}.\n" +
" groupAll.sum.values.map{ case(count, set, sum) => (count, set.size, sum) }\n" +
"results.dump",
context).code());
} | testBasicScalding | [
"info",
"length",
"trim",
"interpret",
"split"
] | [
"assertEquals",
"code",
"interpret"
] | {
"class_fields": "public static ScaldingInterpreter repl;\nprivate InterpreterContext context;\nprivate File tmpDir;",
"class_name": "ScaldingInterpreterTest"
} | {
"class_fields": "Logger logger = LoggerFactory.getLogger(ScaldingInterpreter.class);\npublic static final List<String> NO_COMPLETION = \n Collections.unmodifiableList(new ArrayList<String>());\nprivate ScaldingILoop interpreter;\nprivate ByteArrayOutputStream out;\nprivate Map<String, Object> binder;",
"class_name": "ScaldingInterpreter extends Interpreter",
"method_signatures": "public ScaldingInterpreter(Properties property)\n@Override public void open()\nprivate Object getValue(String name)\nprivate List<File> currentClassPath()\nprivate List<File> classPath(ClassLoader cl)\n@Override public void close()\n@Override public InterpreterResult interpret(String cmd, InterpreterContext contextInterpreter)\npublic InterpreterResult interpret(String[] lines, InterpreterContext context)\npublic InterpreterResult interpretInput(String[] lines)\nprivate Code getResultCode(scala.tools.nsc.interpreter.Results.Result r)\n@Override public void cancel(InterpreterContext context)\n@Override public FormType getFormType()\n@Override public int getProgress(InterpreterContext context)\n@Override public Scheduler getScheduler()\n@Override public List<String> completion(String buf, int cursor)"
} | [
{
"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: scalding/src/main/java/org/apache/zeppelin/scalding/ScaldingInterpreter.java for which to generate the test case is:\nclass_name: ScaldingInterpreter extends Interpreter\n\nclass_fields: Logger logger = LoggerFactory.getLogger(ScaldingInterpreter.class);\npublic static final List<String> NO_COMPLETION = \n Collections.unmodifiableList(new ArrayList<String>());\nprivate ScaldingILoop interpreter;\nprivate ByteArrayOutputStream out;\nprivate Map<String, Object> binder;\n\nmethod_signatures: public ScaldingInterpreter(Properties property)\n@Override public void open()\nprivate Object getValue(String name)\nprivate List<File> currentClassPath()\nprivate List<File> classPath(ClassLoader cl)\n@Override public void close()\n@Override public InterpreterResult interpret(String cmd, InterpreterContext contextInterpreter)\npublic InterpreterResult interpret(String[] lines, InterpreterContext context)\npublic InterpreterResult interpretInput(String[] lines)\nprivate Code getResultCode(scala.tools.nsc.interpreter.Results.Result r)\n@Override public void cancel(InterpreterContext context)\n@Override public FormType getFormType()\n@Override public int getProgress(InterpreterContext context)\n@Override public Scheduler getScheduler()\n@Override public List<String> completion(String buf, int cursor)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: ScaldingInterpreterTest\n\nclass_fields: public static ScaldingInterpreter repl;\nprivate InterpreterContext context;\nprivate File tmpDir;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file scalding/src/main/java/org/apache/zeppelin/scalding/ScaldingInterpreter.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public InterpreterResult interpret(String cmd, InterpreterContext contextInterpreter) {\n logger.info(\"Running Scalding command '\" + cmd + \"'\");\n\n if (cmd == null || cmd.trim().length() == 0) {\n return new InterpreterResult(Code.SUCCESS);\n }\n return interpret(cmd.split(\"\\n\"), contextInterpreter);\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 scalding/src/test/java/org/apache/zeppelin/scalding/ScaldingInterpreterTest.java\n </TESTFILE7041>\n @Test\n public void testBasicScalding() {\n assertEquals(InterpreterResult.Code.SUCCESS,\n repl.interpret(\"case class Sale(state: String, name: String, sale: Int)\\n\" +\n \"val salesList = List(Sale(\\\"CA\\\", \\\"A\\\", 60), Sale(\\\"CA\\\", \\\"A\\\", 20), Sale(\\\"VA\\\", \\\"B\\\", 15))\\n\" +\n \"val salesPipe = TypedPipe.from(salesList)\\n\" +\n \"val results = salesPipe.map{x => (1, Set(x.state), x.sale)}.\\n\" +\n \" groupAll.sum.values.map{ case(count, set, sum) => (count, set.size, sum) }\\n\" +\n \"results.dump\", \n context).code());\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lorthos/incubator-zeppelin-druid | java | spark/src/main/java/org/apache/zeppelin/spark/SparkVersion.java | spark/src/test/java/org/apache/zeppelin/spark/SparkVersionTest.java | SparkVersion(String versionString) {
this.versionString = versionString;
try {
int pos = versionString.indexOf('-');
String numberPart = versionString;
if (pos > 0) {
numberPart = versionString.substring(0, pos);
}
version = Integer.parseInt(numberPart.replaceAll("\\.", ""));
} catch (Exception e) {
logger.error("Can not recognize Spark version " + versionString +
". Assume it's a future release", e);
// assume it is future release
version = 999;
}
} | SparkVersion | @Test
public void testSparkVersion() {
// test equals
assertEquals(SparkVersion.SPARK_1_2_0, SparkVersion.fromVersionString("1.2.0"));
assertEquals(SparkVersion.SPARK_1_5_0, SparkVersion.fromVersionString("1.5.0-SNAPSHOT"));
// test newer than
assertFalse(SparkVersion.SPARK_1_2_0.newerThan(SparkVersion.SPARK_1_2_0));
assertFalse(SparkVersion.SPARK_1_2_0.newerThan(SparkVersion.SPARK_1_3_0));
assertTrue(SparkVersion.SPARK_1_2_0.newerThan(SparkVersion.SPARK_1_1_0));
assertTrue(SparkVersion.SPARK_1_2_0.newerThanEquals(SparkVersion.SPARK_1_2_0));
assertFalse(SparkVersion.SPARK_1_2_0.newerThanEquals(SparkVersion.SPARK_1_3_0));
assertTrue(SparkVersion.SPARK_1_2_0.newerThanEquals(SparkVersion.SPARK_1_1_0));
// test older than
assertFalse(SparkVersion.SPARK_1_2_0.olderThan(SparkVersion.SPARK_1_2_0));
assertFalse(SparkVersion.SPARK_1_2_0.olderThan(SparkVersion.SPARK_1_1_0));
assertTrue(SparkVersion.SPARK_1_2_0.olderThan(SparkVersion.SPARK_1_3_0));
assertTrue(SparkVersion.SPARK_1_2_0.olderThanEquals(SparkVersion.SPARK_1_2_0));
assertFalse(SparkVersion.SPARK_1_2_0.olderThanEquals(SparkVersion.SPARK_1_1_0));
assertTrue(SparkVersion.SPARK_1_2_0.olderThanEquals(SparkVersion.SPARK_1_3_0));
// conversion
assertEquals(120, SparkVersion.SPARK_1_2_0.toNumber());
assertEquals("1.2.0", SparkVersion.SPARK_1_2_0.toString());
} | testSparkVersion | [] | [
"assertEquals",
"fromVersionString",
"assertEquals",
"fromVersionString",
"assertFalse",
"newerThan",
"assertFalse",
"newerThan",
"assertTrue",
"newerThan",
"assertTrue",
"newerThanEquals",
"assertFalse",
"newerThanEquals",
"assertTrue",
"newerThanEquals",
"assertFalse",
"olderThan",
"assertFalse",
"olderThan",
"assertTrue",
"olderThan",
"assertTrue",
"olderThanEquals",
"assertFalse",
"olderThanEquals",
"assertTrue",
"olderThanEquals",
"assertEquals",
"toNumber",
"assertEquals",
"toString"
] | {
"class_fields": "",
"class_name": "SparkVersionTest"
} | {
"class_fields": "Logger logger = LoggerFactory.getLogger(SparkVersion.class);\npublic static final SparkVersion SPARK_1_0_0 = SparkVersion.fromVersionString(\"1.0.0\");\npublic static final SparkVersion SPARK_1_1_0 = SparkVersion.fromVersionString(\"1.1.0\");\npublic static final SparkVersion SPARK_1_2_0 = SparkVersion.fromVersionString(\"1.2.0\");\npublic static final SparkVersion SPARK_1_3_0 = SparkVersion.fromVersionString(\"1.3.0\");\npublic static final SparkVersion SPARK_1_4_0 = SparkVersion.fromVersionString(\"1.4.0\");\npublic static final SparkVersion SPARK_1_5_0 = SparkVersion.fromVersionString(\"1.5.0\");\npublic static final SparkVersion SPARK_1_6_0 = SparkVersion.fromVersionString(\"1.6.0\");\npublic static final SparkVersion MIN_SUPPORTED_VERSION = SPARK_1_0_0;\npublic static final SparkVersion UNSUPPORTED_FUTURE_VERSION = SPARK_1_6_0;\nprivate int version;\nprivate String versionString;",
"class_name": "SparkVersion",
"method_signatures": "SparkVersion(String versionString)\npublic int toNumber()\npublic String toString()\npublic boolean isUnsupportedVersion()\npublic static SparkVersion fromVersionString(String versionString)\npublic boolean isPysparkSupported()\npublic boolean hasDataFrame()\npublic boolean getProgress1_0()\npublic boolean oldLoadFilesMethodName()\npublic boolean oldSqlContextImplicits()\npublic boolean equals(Object versionToCompare)\npublic boolean newerThan(SparkVersion versionToCompare)\npublic boolean newerThanEquals(SparkVersion versionToCompare)\npublic boolean olderThan(SparkVersion versionToCompare)\npublic boolean olderThanEquals(SparkVersion versionToCompare)"
} | [
{
"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: spark/src/main/java/org/apache/zeppelin/spark/SparkVersion.java for which to generate the test case is:\nclass_name: SparkVersion\n\nclass_fields: Logger logger = LoggerFactory.getLogger(SparkVersion.class);\npublic static final SparkVersion SPARK_1_0_0 = SparkVersion.fromVersionString(\"1.0.0\");\npublic static final SparkVersion SPARK_1_1_0 = SparkVersion.fromVersionString(\"1.1.0\");\npublic static final SparkVersion SPARK_1_2_0 = SparkVersion.fromVersionString(\"1.2.0\");\npublic static final SparkVersion SPARK_1_3_0 = SparkVersion.fromVersionString(\"1.3.0\");\npublic static final SparkVersion SPARK_1_4_0 = SparkVersion.fromVersionString(\"1.4.0\");\npublic static final SparkVersion SPARK_1_5_0 = SparkVersion.fromVersionString(\"1.5.0\");\npublic static final SparkVersion SPARK_1_6_0 = SparkVersion.fromVersionString(\"1.6.0\");\npublic static final SparkVersion MIN_SUPPORTED_VERSION = SPARK_1_0_0;\npublic static final SparkVersion UNSUPPORTED_FUTURE_VERSION = SPARK_1_6_0;\nprivate int version;\nprivate String versionString;\n\nmethod_signatures: SparkVersion(String versionString)\npublic int toNumber()\npublic String toString()\npublic boolean isUnsupportedVersion()\npublic static SparkVersion fromVersionString(String versionString)\npublic boolean isPysparkSupported()\npublic boolean hasDataFrame()\npublic boolean getProgress1_0()\npublic boolean oldLoadFilesMethodName()\npublic boolean oldSqlContextImplicits()\npublic boolean equals(Object versionToCompare)\npublic boolean newerThan(SparkVersion versionToCompare)\npublic boolean newerThanEquals(SparkVersion versionToCompare)\npublic boolean olderThan(SparkVersion versionToCompare)\npublic boolean olderThanEquals(SparkVersion versionToCompare)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: SparkVersionTest\n\nclass_fields: \n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file spark/src/main/java/org/apache/zeppelin/spark/SparkVersion.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n SparkVersion(String versionString) {\n this.versionString = versionString;\n\n try {\n int pos = versionString.indexOf('-');\n\n String numberPart = versionString;\n if (pos > 0) {\n numberPart = versionString.substring(0, pos);\n }\n version = Integer.parseInt(numberPart.replaceAll(\"\\\\.\", \"\"));\n } catch (Exception e) {\n logger.error(\"Can not recognize Spark version \" + versionString +\n \". Assume it's a future release\", e);\n\n // assume it is future release\n version = 999;\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 spark/src/test/java/org/apache/zeppelin/spark/SparkVersionTest.java\n </TESTFILE7041>\n @Test\n public void testSparkVersion() {\n // test equals\n assertEquals(SparkVersion.SPARK_1_2_0, SparkVersion.fromVersionString(\"1.2.0\"));\n assertEquals(SparkVersion.SPARK_1_5_0, SparkVersion.fromVersionString(\"1.5.0-SNAPSHOT\"));\n\n // test newer than\n assertFalse(SparkVersion.SPARK_1_2_0.newerThan(SparkVersion.SPARK_1_2_0));\n assertFalse(SparkVersion.SPARK_1_2_0.newerThan(SparkVersion.SPARK_1_3_0));\n assertTrue(SparkVersion.SPARK_1_2_0.newerThan(SparkVersion.SPARK_1_1_0));\n\n assertTrue(SparkVersion.SPARK_1_2_0.newerThanEquals(SparkVersion.SPARK_1_2_0));\n assertFalse(SparkVersion.SPARK_1_2_0.newerThanEquals(SparkVersion.SPARK_1_3_0));\n assertTrue(SparkVersion.SPARK_1_2_0.newerThanEquals(SparkVersion.SPARK_1_1_0));\n\n // test older than\n assertFalse(SparkVersion.SPARK_1_2_0.olderThan(SparkVersion.SPARK_1_2_0));\n assertFalse(SparkVersion.SPARK_1_2_0.olderThan(SparkVersion.SPARK_1_1_0));\n assertTrue(SparkVersion.SPARK_1_2_0.olderThan(SparkVersion.SPARK_1_3_0));\n\n assertTrue(SparkVersion.SPARK_1_2_0.olderThanEquals(SparkVersion.SPARK_1_2_0));\n assertFalse(SparkVersion.SPARK_1_2_0.olderThanEquals(SparkVersion.SPARK_1_1_0));\n assertTrue(SparkVersion.SPARK_1_2_0.olderThanEquals(SparkVersion.SPARK_1_3_0));\n\n // conversion\n assertEquals(120, SparkVersion.SPARK_1_2_0.toNumber());\n assertEquals(\"1.2.0\", SparkVersion.SPARK_1_2_0.toString());\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lorthos/incubator-zeppelin-druid | java | zeppelin-zengine/src/main/java/org/apache/zeppelin/notebook/Notebook.java | zeppelin-zengine/src/test/java/org/apache/zeppelin/notebook/NotebookTest.java | public Note createNote() throws IOException {
Note note;
if (conf.getBoolean(ConfVars.ZEPPELIN_NOTEBOOK_AUTO_INTERPRETER_BINDING)) {
note = createNote(replFactory.getDefaultInterpreterSettingList());
} else {
note = createNote(null);
}
notebookIndex.addIndexDoc(note);
return note;
} | createNote | @Test
public void testClearParagraphOutput() throws IOException, SchedulerException{
Note note = notebook.createNote();
Paragraph p1 = note.addParagraph();
Map config = p1.getConfig();
config.put("enabled", true);
p1.setConfig(config);
p1.setText("hello world");
note.run(p1.getId());
while(p1.isTerminated()==false || p1.getResult()==null) Thread.yield();
assertEquals("repl1: hello world", p1.getResult().message());
// clear paragraph output/result
note.clearParagraphOutput(p1.getId());
assertNull(p1.getResult());
} | testClearParagraphOutput | [
"getBoolean",
"createNote",
"getDefaultInterpreterSettingList",
"createNote",
"addIndexDoc"
] | [
"createNote",
"addParagraph",
"getConfig",
"put",
"setConfig",
"setText",
"run",
"getId",
"isTerminated",
"getResult",
"yield",
"assertEquals",
"message",
"getResult",
"clearParagraphOutput",
"getId",
"assertNull",
"getResult"
] | {
"class_fields": "private static final Logger logger = LoggerFactory.getLogger(NotebookTest.class);\nprivate File tmpDir;\nprivate ZeppelinConfiguration conf;\nprivate SchedulerFactory schedulerFactory;\nprivate File notebookDir;\nprivate Notebook notebook;\nprivate NotebookRepo notebookRepo;\nprivate InterpreterFactory factory;",
"class_name": "NotebookTest implements JobListenerFactory"
} | {
"class_fields": "Logger logger = LoggerFactory.getLogger(Notebook.class);\n@SuppressWarnings(\"unused\") @Deprecated //TODO(bzz): remove unused\n private SchedulerFactory schedulerFactory;\nprivate InterpreterFactory replFactory;\nMap<String, Note> notes = new LinkedHashMap<String, Note>();\nprivate ZeppelinConfiguration conf;\nprivate StdSchedulerFactory quertzSchedFact;\nprivate org.quartz.Scheduler quartzSched;\nprivate JobListenerFactory jobListenerFactory;\nprivate NotebookRepo notebookRepo;\nprivate SearchService notebookIndex;",
"class_name": "Notebook",
"method_signatures": "public Notebook(ZeppelinConfiguration conf, NotebookRepo notebookRepo,\n SchedulerFactory schedulerFactory,\n InterpreterFactory replFactory, JobListenerFactory jobListenerFactory,\n SearchService notebookIndex)\npublic Note createNote()\npublic Note createNote(List<String> interpreterIds)\npublic Note cloneNote(String sourceNoteID, String newNoteName)\npublic void bindInterpretersToNote(String id,\n List<String> interpreterSettingIds)\npublic List<String> getBindedInterpreterSettingsIds(String id)\npublic List<InterpreterSetting> getBindedInterpreterSettings(String id)\npublic Note getNote(String id)\npublic void removeNote(String id)\n@SuppressWarnings(\"rawtypes\") private Note loadNoteFromRepo(String id)\nprivate void loadAllNotes()\npublic void reloadAllNotes()\npublic List<Note> getAllNotes()\npublic JobListenerFactory getJobListenerFactory()\npublic void setJobListenerFactory(JobListenerFactory jobListenerFactory)\npublic void refreshCron(String id)\nprivate void removeCron(String id)\npublic InterpreterFactory getInterpreterFactory()\npublic ZeppelinConfiguration getConf()\npublic void close()"
} | [
{
"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: zeppelin-zengine/src/main/java/org/apache/zeppelin/notebook/Notebook.java for which to generate the test case is:\nclass_name: Notebook\n\nclass_fields: Logger logger = LoggerFactory.getLogger(Notebook.class);\n@SuppressWarnings(\"unused\") @Deprecated //TODO(bzz): remove unused\n private SchedulerFactory schedulerFactory;\nprivate InterpreterFactory replFactory;\nMap<String, Note> notes = new LinkedHashMap<String, Note>();\nprivate ZeppelinConfiguration conf;\nprivate StdSchedulerFactory quertzSchedFact;\nprivate org.quartz.Scheduler quartzSched;\nprivate JobListenerFactory jobListenerFactory;\nprivate NotebookRepo notebookRepo;\nprivate SearchService notebookIndex;\n\nmethod_signatures: public Notebook(ZeppelinConfiguration conf, NotebookRepo notebookRepo,\n SchedulerFactory schedulerFactory,\n InterpreterFactory replFactory, JobListenerFactory jobListenerFactory,\n SearchService notebookIndex)\npublic Note createNote()\npublic Note createNote(List<String> interpreterIds)\npublic Note cloneNote(String sourceNoteID, String newNoteName)\npublic void bindInterpretersToNote(String id,\n List<String> interpreterSettingIds)\npublic List<String> getBindedInterpreterSettingsIds(String id)\npublic List<InterpreterSetting> getBindedInterpreterSettings(String id)\npublic Note getNote(String id)\npublic void removeNote(String id)\n@SuppressWarnings(\"rawtypes\") private Note loadNoteFromRepo(String id)\nprivate void loadAllNotes()\npublic void reloadAllNotes()\npublic List<Note> getAllNotes()\npublic JobListenerFactory getJobListenerFactory()\npublic void setJobListenerFactory(JobListenerFactory jobListenerFactory)\npublic void refreshCron(String id)\nprivate void removeCron(String id)\npublic InterpreterFactory getInterpreterFactory()\npublic ZeppelinConfiguration getConf()\npublic void close()\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: NotebookTest implements JobListenerFactory\n\nclass_fields: private static final Logger logger = LoggerFactory.getLogger(NotebookTest.class);\nprivate File tmpDir;\nprivate ZeppelinConfiguration conf;\nprivate SchedulerFactory schedulerFactory;\nprivate File notebookDir;\nprivate Notebook notebook;\nprivate NotebookRepo notebookRepo;\nprivate InterpreterFactory factory;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file zeppelin-zengine/src/main/java/org/apache/zeppelin/notebook/Notebook.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public Note createNote() throws IOException {\n Note note;\n if (conf.getBoolean(ConfVars.ZEPPELIN_NOTEBOOK_AUTO_INTERPRETER_BINDING)) {\n note = createNote(replFactory.getDefaultInterpreterSettingList());\n } else {\n note = createNote(null);\n }\n notebookIndex.addIndexDoc(note);\n return note;\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 zeppelin-zengine/src/test/java/org/apache/zeppelin/notebook/NotebookTest.java\n </TESTFILE7041>\n @Test\n public void testClearParagraphOutput() throws IOException, SchedulerException{\n Note note = notebook.createNote();\n Paragraph p1 = note.addParagraph();\n Map config = p1.getConfig();\n config.put(\"enabled\", true);\n p1.setConfig(config);\n p1.setText(\"hello world\");\n note.run(p1.getId());\n\n while(p1.isTerminated()==false || p1.getResult()==null) Thread.yield();\n assertEquals(\"repl1: hello world\", p1.getResult().message());\n\n // clear paragraph output/result\n note.clearParagraphOutput(p1.getId());\n assertNull(p1.getResult());\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/knowm/Datasets | java | datasets-pcb/src/main/java/org/knowm/datasets/pcb/PCBDAO.java | datasets-pcb/src/test/java/org/knowm/datasets/pcb/TestPCBDAO.java | public static PCB selectSingle(int id) {
Object[] params = new Object[] { id };
String SELECT_SINGLE = "SELECT * FROM PCB WHERE id = ?";
return Yank.queryBean(SELECT_SINGLE, PCB.class, params);
} | selectSingle | @Test
public void testImage() {
PCB pcb = PCBDAO.selectSingle(1);
try (InputStream bytes = pcb.getImgbytes().getBinaryStream();) {
BufferedImage bufferedImage = ImageIO.read(bytes);
assertThat(bufferedImage).isNotNull();
} catch (Exception e) {
e.printStackTrace();
}
} | testImage | [
"queryBean"
] | [
"selectSingle",
"getBinaryStream",
"getImgbytes",
"read",
"isNotNull",
"assertThat",
"printStackTrace"
] | {
"class_fields": "",
"class_name": "TestPCBDAO"
} | {
"class_fields": "",
"class_name": "PCBDAO extends PCBParentDAO",
"method_signatures": "public static int dropTable()\npublic static int createTable()\npublic static int insert(PCB pcb)\npublic static PCB selectSingle(int id)\npublic static long selectCount()"
} | [
{
"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: datasets-pcb/src/main/java/org/knowm/datasets/pcb/PCBDAO.java for which to generate the test case is:\nclass_name: PCBDAO extends PCBParentDAO\n\nclass_fields: \n\nmethod_signatures: public static int dropTable()\npublic static int createTable()\npublic static int insert(PCB pcb)\npublic static PCB selectSingle(int id)\npublic static long selectCount()\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: TestPCBDAO\n\nclass_fields: \n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file datasets-pcb/src/main/java/org/knowm/datasets/pcb/PCBDAO.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public static PCB selectSingle(int id) {\n\n Object[] params = new Object[] { id };\n\n String SELECT_SINGLE = \"SELECT * FROM PCB WHERE id = ?\";\n\n return Yank.queryBean(SELECT_SINGLE, PCB.class, params);\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 datasets-pcb/src/test/java/org/knowm/datasets/pcb/TestPCBDAO.java\n </TESTFILE7041>\n @Test\n public void testImage() {\n\n PCB pcb = PCBDAO.selectSingle(1);\n\n try (InputStream bytes = pcb.getImgbytes().getBinaryStream();) {\n\n BufferedImage bufferedImage = ImageIO.read(bytes);\n assertThat(bufferedImage).isNotNull();\n\n } catch (Exception e) {\n e.printStackTrace();\n }\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lorthos/incubator-zeppelin-druid | java | zeppelin-zengine/src/main/java/org/apache/zeppelin/search/LuceneSearch.java | zeppelin-zengine/src/test/java/org/apache/zeppelin/search/LuceneSearchTest.java | @Override
public void addIndexDocs(Collection<Note> collection) {
int docsIndexed = 0;
long start = System.nanoTime();
try {
for (Note note : collection) {
addIndexDocAsync(note);
docsIndexed++;
}
} catch (IOException e) {
LOG.error("Failed to index all Notebooks", e);
} finally {
try { // save what's been indexed, even if not full collection
writer.commit();
} catch (IOException e) {
LOG.error("Failed to save index", e);
}
long end = System.nanoTime();
LOG.info("Indexing {} notebooks took {}ms", docsIndexed,
TimeUnit.NANOSECONDS.toMillis(end - start));
}
} | addIndexDocs | @Test public void indexParagraphUpdatedOnNoteSave() throws IOException {
//given: total 2 notebooks, 3 paragraphs
Note note1 = newNoteWithParapgraph("Notebook1", "test");
Note note2 = newNoteWithParapgraphs("Notebook2", "not test", "not test at all");
notebookIndex.addIndexDocs(Arrays.asList(note1, note2));
assertThat(resultForQuery("test").size()).isEqualTo(3);
//when
Paragraph p1 = note1.getLastParagraph();
p1.setText("no no no");
note1.persist();
//then
assertThat(resultForQuery("Notebook1").size()).isEqualTo(1);
List<Map<String, String>> results = resultForQuery("test");
assertThat(results).isNotEmpty();
assertThat(results.size()).isEqualTo(2);
//does not include Notebook1's paragraph any more
for (Map<String, String> result: results) {
assertThat(result.get("id").startsWith(note1.getId())).isFalse();;
}
} | indexParagraphUpdatedOnNoteSave | [
"nanoTime",
"addIndexDocAsync",
"error",
"commit",
"error",
"nanoTime",
"info",
"toMillis"
] | [
"newNoteWithParapgraph",
"newNoteWithParapgraphs",
"addIndexDocs",
"asList",
"isEqualTo",
"assertThat",
"size",
"resultForQuery",
"getLastParagraph",
"setText",
"persist",
"isEqualTo",
"assertThat",
"size",
"resultForQuery",
"resultForQuery",
"isNotEmpty",
"assertThat",
"isEqualTo",
"assertThat",
"size",
"isFalse",
"assertThat",
"startsWith",
"get",
"getId"
] | {
"class_fields": "private static NoteInterpreterLoader replLoaderMock;\nprivate static NotebookRepo notebookRepoMock;\nprivate SearchService notebookIndex;",
"class_name": "LuceneSearchTest"
} | {
"class_fields": "private static final Logger LOG = LoggerFactory.getLogger(LuceneSearch.class);\nprivate static final String SEARCH_FIELD = \"contents\";\nstatic final String PARAGRAPH = \"paragraph\";\nstatic final String ID_FIELD = \"id\";\nDirectory ramDirectory;\nAnalyzer analyzer;\nIndexWriterConfig iwc;\nIndexWriter writer;",
"class_name": "LuceneSearch implements SearchService",
"method_signatures": "public LuceneSearch()\n@Override public List<Map<String, String>> query(String queryStr)\nprivate List<Map<String, String>> doSearch(IndexSearcher searcher, Query query,\n Analyzer analyzer, Highlighter highlighter)\n@Override public void updateIndexDoc(Note note)\nprivate void updateIndexNoteName(Note note)\nprivate void updateIndexParagraph(Note note, Paragraph p)\nprivate void updateDoc(String noteId, String noteName, Paragraph p)\nstatic String formatId(String noteId, Paragraph p)\nstatic String formatDeleteId(String noteId, Paragraph p)\nprivate Document newDocument(String id, String noteName, Paragraph p)\n@Override public void addIndexDocs(Collection<Note> collection)\n@Override public void addIndexDoc(Note note)\nprivate void addIndexDocAsync(Note note)\n@Override public void deleteIndexDocs(Note note)\n@Override public void deleteIndexDoc(Note note, Paragraph p)\nprivate void deleteDoc(Note note, Paragraph p)\n@Override public void close()\nprivate void indexNoteName(IndexWriter w, String noteId, String noteName)\nprivate void indexDoc(IndexWriter w, String noteId, String noteName, Paragraph p)"
} | [
{
"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: zeppelin-zengine/src/main/java/org/apache/zeppelin/search/LuceneSearch.java for which to generate the test case is:\nclass_name: LuceneSearch implements SearchService\n\nclass_fields: private static final Logger LOG = LoggerFactory.getLogger(LuceneSearch.class);\nprivate static final String SEARCH_FIELD = \"contents\";\nstatic final String PARAGRAPH = \"paragraph\";\nstatic final String ID_FIELD = \"id\";\nDirectory ramDirectory;\nAnalyzer analyzer;\nIndexWriterConfig iwc;\nIndexWriter writer;\n\nmethod_signatures: public LuceneSearch()\n@Override public List<Map<String, String>> query(String queryStr)\nprivate List<Map<String, String>> doSearch(IndexSearcher searcher, Query query,\n Analyzer analyzer, Highlighter highlighter)\n@Override public void updateIndexDoc(Note note)\nprivate void updateIndexNoteName(Note note)\nprivate void updateIndexParagraph(Note note, Paragraph p)\nprivate void updateDoc(String noteId, String noteName, Paragraph p)\nstatic String formatId(String noteId, Paragraph p)\nstatic String formatDeleteId(String noteId, Paragraph p)\nprivate Document newDocument(String id, String noteName, Paragraph p)\n@Override public void addIndexDocs(Collection<Note> collection)\n@Override public void addIndexDoc(Note note)\nprivate void addIndexDocAsync(Note note)\n@Override public void deleteIndexDocs(Note note)\n@Override public void deleteIndexDoc(Note note, Paragraph p)\nprivate void deleteDoc(Note note, Paragraph p)\n@Override public void close()\nprivate void indexNoteName(IndexWriter w, String noteId, String noteName)\nprivate void indexDoc(IndexWriter w, String noteId, String noteName, Paragraph p)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: LuceneSearchTest\n\nclass_fields: private static NoteInterpreterLoader replLoaderMock;\nprivate static NotebookRepo notebookRepoMock;\nprivate SearchService notebookIndex;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file zeppelin-zengine/src/main/java/org/apache/zeppelin/search/LuceneSearch.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public void addIndexDocs(Collection<Note> collection) {\n int docsIndexed = 0;\n long start = System.nanoTime();\n try {\n for (Note note : collection) {\n addIndexDocAsync(note);\n docsIndexed++;\n }\n } catch (IOException e) {\n LOG.error(\"Failed to index all Notebooks\", e);\n } finally {\n try { // save what's been indexed, even if not full collection\n writer.commit();\n } catch (IOException e) {\n LOG.error(\"Failed to save index\", e);\n }\n long end = System.nanoTime();\n LOG.info(\"Indexing {} notebooks took {}ms\", docsIndexed,\n TimeUnit.NANOSECONDS.toMillis(end - start));\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 zeppelin-zengine/src/test/java/org/apache/zeppelin/search/LuceneSearchTest.java\n </TESTFILE7041>\n @Test public void indexParagraphUpdatedOnNoteSave() throws IOException {\n //given: total 2 notebooks, 3 paragraphs\n Note note1 = newNoteWithParapgraph(\"Notebook1\", \"test\");\n Note note2 = newNoteWithParapgraphs(\"Notebook2\", \"not test\", \"not test at all\");\n notebookIndex.addIndexDocs(Arrays.asList(note1, note2));\n assertThat(resultForQuery(\"test\").size()).isEqualTo(3);\n\n //when\n Paragraph p1 = note1.getLastParagraph();\n p1.setText(\"no no no\");\n note1.persist();\n\n //then\n assertThat(resultForQuery(\"Notebook1\").size()).isEqualTo(1);\n\n List<Map<String, String>> results = resultForQuery(\"test\");\n assertThat(results).isNotEmpty();\n assertThat(results.size()).isEqualTo(2);\n\n //does not include Notebook1's paragraph any more\n for (Map<String, String> result: results) {\n assertThat(result.get(\"id\").startsWith(note1.getId())).isFalse();;\n }\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/mycila/license-maven-plugin | java | license-maven-plugin/src/main/java/com/mycila/maven/plugin/license/document/Document.java | license-maven-plugin/src/test/java/com/mycila/maven/plugin/license/document/DocumentTest.java | public boolean hasHeader(Header header, boolean strictCheck) {
if (!strictCheck) {
try {
String fileHeader = readFirstLines(file, header.getLineCount() + 10, encoding);
String fileHeaderOneLine = remove(fileHeader, headerDefinition.getFirstLine().trim(), headerDefinition.getEndLine().trim(), headerDefinition.getBeforeEachLine().trim(), "\n", "\r", "\t", " ");
String headerOnOnelIne = mergeProperties(header.asOneLineString());
return fileHeaderOneLine.contains(remove(headerOnOnelIne, headerDefinition.getFirstLine().trim(), headerDefinition.getEndLine().trim(), headerDefinition.getBeforeEachLine().trim()));
} catch (IOException e) {
throw new IllegalStateException("Cannot read file " + getFilePath() + ". Cause: " + e.getMessage(), e);
}
}
try {
return header.isMatchForText(this, headerDefinition, true, encoding);
} catch (IOException e) {
throw new IllegalStateException("Cannot read file " + getFilePath() + ". Cause: " + e.getMessage(), e);
}
} | hasHeader | @Test
public void test_hasHeader() throws Exception {
Document doc = new Document(
new File("src/test/resources/doc/doc1.txt"),
DocumentType.TXT.getDefaultHeaderType().getDefinition(),
System.getProperty("file.encoding"), new String[]{"copyright"},
loader);
assertFalse(doc.hasHeader(header, true));
} | test_hasHeader | [
"readFirstLines",
"getLineCount",
"remove",
"trim",
"getFirstLine",
"trim",
"getEndLine",
"trim",
"getBeforeEachLine",
"mergeProperties",
"asOneLineString",
"contains",
"remove",
"trim",
"getFirstLine",
"trim",
"getEndLine",
"trim",
"getBeforeEachLine",
"getFilePath",
"getMessage",
"isMatchForText",
"getFilePath",
"getMessage"
] | [
"getDefinition",
"getDefaultHeaderType",
"getProperty",
"assertFalse",
"hasHeader"
] | {
"class_fields": "static Header header;\nstatic DocumentPropertiesLoader loader = new DocumentPropertiesLoader() {\n @Override\n public Properties load(Document d) {\n Properties props = new Properties();\n props.put(\"year\", \"2008\");\n return props;\n }\n };",
"class_name": "DocumentTest"
} | {
"class_fields": "private final File file;\nprivate final HeaderDefinition headerDefinition;\nprivate final String encoding;\nprivate final String[] keywords;\nprivate final DocumentPropertiesLoader documentPropertiesLoader;\nprivate final PropertyPlaceholderHelper placeholderHelper = new PropertyPlaceholderHelper(\"${\", \"}\", \":\", true);\nprivate HeaderParser parser;",
"class_name": "Document",
"method_signatures": "public Document(File file, HeaderDefinition headerDefinition, String encoding, String[] keywords, DocumentPropertiesLoader documentPropertiesLoader)\npublic HeaderDefinition getHeaderDefinition()\npublic File getFile()\npublic String getFilePath()\npublic String getEncoding()\npublic boolean isNotSupported()\npublic boolean hasHeader(Header header, boolean strictCheck)\npublic void updateHeader(Header header)\npublic String mergeProperties(String str)\npublic void save()\npublic void saveTo(File dest)\npublic String getContent()\npublic void removeHeader()\npublic boolean is(Header header)\npublic void parseHeader()\npublic boolean headerDetected()\n@Override public String toString()"
} | [
{
"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: license-maven-plugin/src/main/java/com/mycila/maven/plugin/license/document/Document.java for which to generate the test case is:\nclass_name: Document\n\nclass_fields: private final File file;\nprivate final HeaderDefinition headerDefinition;\nprivate final String encoding;\nprivate final String[] keywords;\nprivate final DocumentPropertiesLoader documentPropertiesLoader;\nprivate final PropertyPlaceholderHelper placeholderHelper = new PropertyPlaceholderHelper(\"${\", \"}\", \":\", true);\nprivate HeaderParser parser;\n\nmethod_signatures: public Document(File file, HeaderDefinition headerDefinition, String encoding, String[] keywords, DocumentPropertiesLoader documentPropertiesLoader)\npublic HeaderDefinition getHeaderDefinition()\npublic File getFile()\npublic String getFilePath()\npublic String getEncoding()\npublic boolean isNotSupported()\npublic boolean hasHeader(Header header, boolean strictCheck)\npublic void updateHeader(Header header)\npublic String mergeProperties(String str)\npublic void save()\npublic void saveTo(File dest)\npublic String getContent()\npublic void removeHeader()\npublic boolean is(Header header)\npublic void parseHeader()\npublic boolean headerDetected()\n@Override public String toString()\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: DocumentTest\n\nclass_fields: static Header header;\nstatic DocumentPropertiesLoader loader = new DocumentPropertiesLoader() {\n @Override\n public Properties load(Document d) {\n Properties props = new Properties();\n props.put(\"year\", \"2008\");\n return props;\n }\n };\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file license-maven-plugin/src/main/java/com/mycila/maven/plugin/license/document/Document.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public boolean hasHeader(Header header, boolean strictCheck) {\n if (!strictCheck) {\n try {\n String fileHeader = readFirstLines(file, header.getLineCount() + 10, encoding);\n String fileHeaderOneLine = remove(fileHeader, headerDefinition.getFirstLine().trim(), headerDefinition.getEndLine().trim(), headerDefinition.getBeforeEachLine().trim(), \"\\n\", \"\\r\", \"\\t\", \" \");\n String headerOnOnelIne = mergeProperties(header.asOneLineString());\n return fileHeaderOneLine.contains(remove(headerOnOnelIne, headerDefinition.getFirstLine().trim(), headerDefinition.getEndLine().trim(), headerDefinition.getBeforeEachLine().trim()));\n } catch (IOException e) {\n throw new IllegalStateException(\"Cannot read file \" + getFilePath() + \". Cause: \" + e.getMessage(), e);\n }\n }\n try {\n return header.isMatchForText(this, headerDefinition, true, encoding);\n } catch (IOException e) {\n throw new IllegalStateException(\"Cannot read file \" + getFilePath() + \". Cause: \" + e.getMessage(), 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 license-maven-plugin/src/test/java/com/mycila/maven/plugin/license/document/DocumentTest.java\n </TESTFILE7041>\n @Test\n public void test_hasHeader() throws Exception {\n Document doc = new Document(\n new File(\"src/test/resources/doc/doc1.txt\"),\n DocumentType.TXT.getDefaultHeaderType().getDefinition(),\n System.getProperty(\"file.encoding\"), new String[]{\"copyright\"},\n loader);\n assertFalse(doc.hasHeader(header, true));\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/mycila/license-maven-plugin | java | license-maven-plugin/src/main/java/com/mycila/maven/plugin/license/header/HeaderDefinition.java | license-maven-plugin/src/test/java/com/mycila/maven/plugin/license/header/HeaderDefinitionTest.java | public void validate() {
check("firstLine", this.firstLine);
check("beforeEachLine", this.beforeEachLine);
check("endLine", this.endLine);
check("afterEachLine", this.afterEachLine);
check("firstLineDetectionPattern", this.firstLineDetectionPattern);
check("lastLineDetectionPattern", this.lastLineDetectionPattern);
check("isMultiline", this.isMultiline);
check("allowBlankLines", this.allowBlankLines);
// skip line can be null
} | validate | @Test(expected = IllegalStateException.class)
public void test_missing_before() throws Exception {
HeaderDefinition def = new HeaderDefinition("aa", "firstLine", null, "end", "after", null, "firstDetect", "lastDetect", false, false, false);
def.validate();
} | test_missing_before | [
"check",
"check",
"check",
"check",
"check",
"check",
"check",
"check"
] | [
"validate"
] | {
"class_fields": "",
"class_name": "HeaderDefinitionTest"
} | {
"class_fields": "private final String type;\nprivate String firstLine = \"\";\nprivate String beforeEachLine = \"\";\nprivate String endLine = \"\";\nprivate String afterEachLine = \"\";\nprivate Boolean allowBlankLines;\nprivate Pattern skipLinePattern;\nprivate Pattern firstLineDetectionPattern;\nprivate Pattern lastLineDetectionPattern;\nprivate Boolean isMultiline;\nprivate boolean padLines = false;",
"class_name": "HeaderDefinition",
"method_signatures": "public HeaderDefinition(String type,\n String firstLine, String beforeEachLine,\n String endLine, String afterEachLine,\n String skipLinePattern,\n String firstLineDetectionPattern, String lastLineDetectionPattern,\n boolean allowBlankLines, boolean isMultiline, boolean padLines)\npublic HeaderDefinition(String type)\nprivate Pattern compile(String regexp)\npublic String getFirstLine()\npublic String getBeforeEachLine()\npublic String getEndLine()\npublic String getAfterEachLine()\npublic String getType()\npublic boolean allowBlankLines()\npublic boolean isPadLines()\npublic boolean isSkipLine(String line)\npublic boolean isFirstHeaderLine(String line)\npublic boolean isLastHeaderLine(String line)\nprotected Pattern getSkipLinePattern()\npublic void setPropertyFromString(String property, String value)\npublic void validate()\nprivate void check(String name, Boolean value)\nprivate void check(String name, String value)\nprivate void check(String name, Pattern value)\nprivate boolean isEmpty(String s)\n@Override public boolean equals(Object o)\n@Override public int hashCode()\n@Override public String toString()\npublic boolean isMultiLine()"
} | [
{
"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: license-maven-plugin/src/main/java/com/mycila/maven/plugin/license/header/HeaderDefinition.java for which to generate the test case is:\nclass_name: HeaderDefinition\n\nclass_fields: private final String type;\nprivate String firstLine = \"\";\nprivate String beforeEachLine = \"\";\nprivate String endLine = \"\";\nprivate String afterEachLine = \"\";\nprivate Boolean allowBlankLines;\nprivate Pattern skipLinePattern;\nprivate Pattern firstLineDetectionPattern;\nprivate Pattern lastLineDetectionPattern;\nprivate Boolean isMultiline;\nprivate boolean padLines = false;\n\nmethod_signatures: public HeaderDefinition(String type,\n String firstLine, String beforeEachLine,\n String endLine, String afterEachLine,\n String skipLinePattern,\n String firstLineDetectionPattern, String lastLineDetectionPattern,\n boolean allowBlankLines, boolean isMultiline, boolean padLines)\npublic HeaderDefinition(String type)\nprivate Pattern compile(String regexp)\npublic String getFirstLine()\npublic String getBeforeEachLine()\npublic String getEndLine()\npublic String getAfterEachLine()\npublic String getType()\npublic boolean allowBlankLines()\npublic boolean isPadLines()\npublic boolean isSkipLine(String line)\npublic boolean isFirstHeaderLine(String line)\npublic boolean isLastHeaderLine(String line)\nprotected Pattern getSkipLinePattern()\npublic void setPropertyFromString(String property, String value)\npublic void validate()\nprivate void check(String name, Boolean value)\nprivate void check(String name, String value)\nprivate void check(String name, Pattern value)\nprivate boolean isEmpty(String s)\n@Override public boolean equals(Object o)\n@Override public int hashCode()\n@Override public String toString()\npublic boolean isMultiLine()\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: HeaderDefinitionTest\n\nclass_fields: \n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file license-maven-plugin/src/main/java/com/mycila/maven/plugin/license/header/HeaderDefinition.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public void validate() {\n check(\"firstLine\", this.firstLine);\n check(\"beforeEachLine\", this.beforeEachLine);\n check(\"endLine\", this.endLine);\n check(\"afterEachLine\", this.afterEachLine);\n check(\"firstLineDetectionPattern\", this.firstLineDetectionPattern);\n check(\"lastLineDetectionPattern\", this.lastLineDetectionPattern);\n check(\"isMultiline\", this.isMultiline);\n check(\"allowBlankLines\", this.allowBlankLines);\n // skip line can be null\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 license-maven-plugin/src/test/java/com/mycila/maven/plugin/license/header/HeaderDefinitionTest.java\n </TESTFILE7041>\n @Test(expected = IllegalStateException.class)\n public void test_missing_before() throws Exception {\n HeaderDefinition def = new HeaderDefinition(\"aa\", \"firstLine\", null, \"end\", \"after\", null, \"firstDetect\", \"lastDetect\", false, false, false);\n def.validate();\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/knowm/Datasets | java | datasets-lshtc4/src/main/java/org/knowm/datasets/lshtc4/LSHTC4DAO.java | datasets-lshtc4/src/test/java/org/knowm/datasets/lshtc4/TestLSHTC4DAO.java | public static LSHTC4 selectSingle(int id) {
Object[] params = new Object[] { id };
String SELECT_SINGLE = "SELECT * FROM LSHTC4 WHERE id = ?";
return Yank.queryBean(SELECT_SINGLE, LSHTC4.class, params);
} | selectSingle | @Test
public void testTestData() {
// first test object
// 1 : 1,0 139:1 153:4 199:1 212:1 232:1 282:1 307:3 310:1 428:1 510:1 528:1 609:1 700:2 709:1 727:1 765:1 791:1 798:2 838:1 872:1 1007:1 1170:2 1374:1 1388:1 1409:1 1435:1 1892:1 2190:1 2197:1
// 2253:1 2348:2 2570:1 2628:1 2713:1 3066:1 3406:1 3619:2 3628:2 3636:1 3649:2 5068:1 8385:1 9371:1 11248:1 11806:1
LSHTC4 lSHTC4 = LSHTC4DAO.selectSingle(1);
assertThat(lSHTC4.getId(), equalTo(1));
System.out.println(lSHTC4.getFeatures());
assertThat(lSHTC4.getFeaturesAsArray()[0], equalTo("139:1"));
// last test object
// 452167 : 452167,0 113:1 122:1 193:2 215:1 256:1 298:1 344:11 345:1 346:2 347:1 358:1 377:5 379:1 381:7 421:1 422:2 464:1 488:1 497:3 543:1 558:3 582:1 586:1 604:4 615:1 643:3 649:3 679:1 701:1
// 715:1 756:2 828:1 862:1 889:1 924:1 932:2 1024:2 1037:1 1043:1 1056:1 1058:1 1187:1 1210:1 1264:1 1374:3 1377:1 1562:1 1720:1 1753:2 1997:2 2211:1 2245:1 2322:1 2337:1 2341:1 2371:1 2395:2
// 2467:1 2469:1 2532:1 2557:2 2642:2 2676:1 2817:1 3213:3 3522:5 3693:1 3732:2 3851:7 3919:1 3959:2 3982:1 4139:2 4260:1 4310:2 4542:1 4587:1 4796:2 4831:1 5184:1 5431:1 5445:1 5671:1 5807:1
// 7080:1 7301:1 7304:1 8176:1 9496:2 9735:1 9935:1 9988:1 10384:1 10637:2 10639:1 11796:1 15356:1 15598:1 15617:2 17404:2 17442:1 21758:1 23758:2 31274:1 31540:1 33480:1 33793:1 74533:1 91736:2
// 184854:3 1611326:1
lSHTC4 = LSHTC4DAO.selectSingle(452167);
assertThat(lSHTC4.getId(), equalTo(452167));
assertThat(lSHTC4.getFeaturesAsArray()[0], equalTo("113:1"));
} | testTestData | [
"queryBean"
] | [
"selectSingle",
"assertThat",
"getId",
"equalTo",
"println",
"getFeatures",
"assertThat",
"getFeaturesAsArray",
"equalTo",
"selectSingle",
"assertThat",
"getId",
"equalTo",
"assertThat",
"getFeaturesAsArray",
"equalTo"
] | {
"class_fields": "",
"class_name": "TestLSHTC4DAO"
} | {
"class_fields": "",
"class_name": "LSHTC4DAO extends LSHTC4ParentDAO",
"method_signatures": "public static int dropTable()\npublic static int getTrainTestSplit()\npublic static int createTable()\npublic static int insert(LSHTC4 lSHTC4)\npublic static LSHTC4 selectSingle(int id)\npublic static long selectCount()"
} | [
{
"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: datasets-lshtc4/src/main/java/org/knowm/datasets/lshtc4/LSHTC4DAO.java for which to generate the test case is:\nclass_name: LSHTC4DAO extends LSHTC4ParentDAO\n\nclass_fields: \n\nmethod_signatures: public static int dropTable()\npublic static int getTrainTestSplit()\npublic static int createTable()\npublic static int insert(LSHTC4 lSHTC4)\npublic static LSHTC4 selectSingle(int id)\npublic static long selectCount()\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: TestLSHTC4DAO\n\nclass_fields: \n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file datasets-lshtc4/src/main/java/org/knowm/datasets/lshtc4/LSHTC4DAO.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public static LSHTC4 selectSingle(int id) {\n\n Object[] params = new Object[] { id };\n\n String SELECT_SINGLE = \"SELECT * FROM LSHTC4 WHERE id = ?\";\n\n return Yank.queryBean(SELECT_SINGLE, LSHTC4.class, params);\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 datasets-lshtc4/src/test/java/org/knowm/datasets/lshtc4/TestLSHTC4DAO.java\n </TESTFILE7041>\n @Test\n public void testTestData() {\n\n // first test object\n // 1 : 1,0 139:1 153:4 199:1 212:1 232:1 282:1 307:3 310:1 428:1 510:1 528:1 609:1 700:2 709:1 727:1 765:1 791:1 798:2 838:1 872:1 1007:1 1170:2 1374:1 1388:1 1409:1 1435:1 1892:1 2190:1 2197:1\n // 2253:1 2348:2 2570:1 2628:1 2713:1 3066:1 3406:1 3619:2 3628:2 3636:1 3649:2 5068:1 8385:1 9371:1 11248:1 11806:1\n LSHTC4 lSHTC4 = LSHTC4DAO.selectSingle(1);\n assertThat(lSHTC4.getId(), equalTo(1));\n System.out.println(lSHTC4.getFeatures());\n assertThat(lSHTC4.getFeaturesAsArray()[0], equalTo(\"139:1\"));\n\n // last test object\n // 452167 : 452167,0 113:1 122:1 193:2 215:1 256:1 298:1 344:11 345:1 346:2 347:1 358:1 377:5 379:1 381:7 421:1 422:2 464:1 488:1 497:3 543:1 558:3 582:1 586:1 604:4 615:1 643:3 649:3 679:1 701:1\n // 715:1 756:2 828:1 862:1 889:1 924:1 932:2 1024:2 1037:1 1043:1 1056:1 1058:1 1187:1 1210:1 1264:1 1374:3 1377:1 1562:1 1720:1 1753:2 1997:2 2211:1 2245:1 2322:1 2337:1 2341:1 2371:1 2395:2\n // 2467:1 2469:1 2532:1 2557:2 2642:2 2676:1 2817:1 3213:3 3522:5 3693:1 3732:2 3851:7 3919:1 3959:2 3982:1 4139:2 4260:1 4310:2 4542:1 4587:1 4796:2 4831:1 5184:1 5431:1 5445:1 5671:1 5807:1\n // 7080:1 7301:1 7304:1 8176:1 9496:2 9735:1 9935:1 9988:1 10384:1 10637:2 10639:1 11796:1 15356:1 15598:1 15617:2 17404:2 17442:1 21758:1 23758:2 31274:1 31540:1 33480:1 33793:1 74533:1 91736:2\n // 184854:3 1611326:1\n lSHTC4 = LSHTC4DAO.selectSingle(452167);\n assertThat(lSHTC4.getId(), equalTo(452167));\n assertThat(lSHTC4.getFeaturesAsArray()[0], equalTo(\"113:1\"));\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/knowm/Datasets | java | datasets-hja-birdsong/src/main/java/org/knowm/datasets/hjabirdsong/HJABirdsongDAO.java | datasets-hja-birdsong/src/test/java/org/knowm/datasets/hjabirdsong/TestHJABirdsongDAO.java | public static long selectCount() {
String SELECT_COUNT = "SELECT COUNT(*) FROM BIRD_SONGS";
return Yank.queryScalar(SELECT_COUNT, Long.class, null);
} | selectCount | @Test
public void testSelectCount() {
long count = HJABirdsongDAO.selectCount();
assertThat(count, equalTo(548L));
} | testSelectCount | [
"queryScalar"
] | [
"selectCount",
"assertThat",
"equalTo"
] | {
"class_fields": "",
"class_name": "TestHJABirdsongDAO"
} | {
"class_fields": "",
"class_name": "HJABirdsongDAO extends HJABirdsongParentDAO",
"method_signatures": "public static int dropTable()\npublic static int createTable()\npublic static int insert(HJABirdSong hJABirdSong)\npublic static HJABirdSong selectSingle(int bagid)\npublic static long selectCount()"
} | [
{
"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: datasets-hja-birdsong/src/main/java/org/knowm/datasets/hjabirdsong/HJABirdsongDAO.java for which to generate the test case is:\nclass_name: HJABirdsongDAO extends HJABirdsongParentDAO\n\nclass_fields: \n\nmethod_signatures: public static int dropTable()\npublic static int createTable()\npublic static int insert(HJABirdSong hJABirdSong)\npublic static HJABirdSong selectSingle(int bagid)\npublic static long selectCount()\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: TestHJABirdsongDAO\n\nclass_fields: \n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file datasets-hja-birdsong/src/main/java/org/knowm/datasets/hjabirdsong/HJABirdsongDAO.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public static long selectCount() {\n\n String SELECT_COUNT = \"SELECT COUNT(*) FROM BIRD_SONGS\";\n\n return Yank.queryScalar(SELECT_COUNT, Long.class, null);\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 datasets-hja-birdsong/src/test/java/org/knowm/datasets/hjabirdsong/TestHJABirdsongDAO.java\n </TESTFILE7041>\n @Test\n public void testSelectCount() {\n\n long count = HJABirdsongDAO.selectCount();\n assertThat(count, equalTo(548L));\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/apache/fineract-cn-portfolio | java | service/src/main/java/org/apache/fineract/cn/individuallending/internal/service/RateCollectors.java | service/src/test/java/org/apache/fineract/cn/individuallending/internal/service/RateCollectorsTest.java | public static Collector<BigDecimal, ?, BigDecimal> geometricMean(int significantDigits)
{
return Collector.of(
() -> new GeometricMean(significantDigits),
GeometricMean::accumulate,
GeometricMean::combine,
GeometricMean::finish);
} | geometricMean | @Test
public void geometricMeanViaParalletStream()
{
Assert.assertEquals(testCase.expectedGeometricMean, testCase.values.parallelStream().collect(RateCollectors.geometricMean(testCase.significantDigits)));
} | geometricMeanViaParalletStream | [
"of"
] | [
"assertEquals",
"collect",
"parallelStream",
"geometricMean"
] | {
"class_fields": "final static private BigDecimal pointOne = BigDecimal.valueOf(0.1);\nprivate final TestCase testCase;",
"class_name": "RateCollectorsTest"
} | {
"class_fields": "",
"class_name": "RateCollectors",
"method_signatures": "private RateCollectors()\npublic static Collector<BigDecimal, ?, BigDecimal> compound(int significantDigits)\npublic static Collector<BigDecimal, ?, BigDecimal> geometricMean(int significantDigits)"
} | [
{
"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: service/src/main/java/org/apache/fineract/cn/individuallending/internal/service/RateCollectors.java for which to generate the test case is:\nclass_name: RateCollectors\n\nclass_fields: \n\nmethod_signatures: private RateCollectors()\npublic static Collector<BigDecimal, ?, BigDecimal> compound(int significantDigits)\npublic static Collector<BigDecimal, ?, BigDecimal> geometricMean(int significantDigits)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: RateCollectorsTest\n\nclass_fields: final static private BigDecimal pointOne = BigDecimal.valueOf(0.1);\nprivate final TestCase testCase;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file service/src/main/java/org/apache/fineract/cn/individuallending/internal/service/RateCollectors.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public static Collector<BigDecimal, ?, BigDecimal> geometricMean(int significantDigits)\n {\n return Collector.of(\n () -> new GeometricMean(significantDigits),\n GeometricMean::accumulate,\n GeometricMean::combine,\n GeometricMean::finish);\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 service/src/test/java/org/apache/fineract/cn/individuallending/internal/service/RateCollectorsTest.java\n </TESTFILE7041>\n @Test\n public void geometricMeanViaParalletStream()\n {\n Assert.assertEquals(testCase.expectedGeometricMean, testCase.values.parallelStream().collect(RateCollectors.geometricMean(testCase.significantDigits)));\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lorthos/incubator-zeppelin-druid | java | zeppelin-zengine/src/main/java/org/apache/zeppelin/notebook/repo/GitNotebookRepo.java | zeppelin-zengine/src/test/java/org/apache/zeppelin/notebook/repo/GitNotebookRepoTest.java | @Override
public List<Rev> history(String noteId) {
List<Rev> history = Lists.newArrayList();
LOG.debug("Listing history for {}:", noteId);
try {
Iterable<RevCommit> logs = git.log().addPath(noteId).call();
for (RevCommit log: logs) {
history.add(new Rev(log.getName(), log.getCommitTime()));
LOG.debug(" - ({},{})", log.getName(), log.getCommitTime());
}
} catch (GitAPIException e) {
LOG.error("Failed to get logs for {}", noteId, e);
}
return history;
} | history | @Test
public void showNotebookHistory() throws GitAPIException, IOException {
//given
notebookRepo = new GitNotebookRepo(conf);
assertThat(notebookRepo.list()).isNotEmpty();
//when
List<Rev> testNotebookHistory = notebookRepo.history(TEST_NOTE_ID);
//then
assertThat(testNotebookHistory).isNotEmpty();
} | showNotebookHistory | [
"newArrayList",
"debug",
"call",
"addPath",
"log",
"add",
"getName",
"getCommitTime",
"debug",
"getName",
"getCommitTime",
"error"
] | [
"isNotEmpty",
"assertThat",
"list",
"history",
"isNotEmpty",
"assertThat"
] | {
"class_fields": "private static final String TEST_NOTE_ID = \"2A94M5J1Z\";\nprivate File zeppelinDir;\nprivate String notebooksDir;\nprivate ZeppelinConfiguration conf;\nprivate GitNotebookRepo notebookRepo;",
"class_name": "GitNotebookRepoTest"
} | {
"class_fields": "private static final Logger LOG = LoggerFactory.getLogger(GitNotebookRepo.class);\nprivate String localPath;\nprivate Git git;",
"class_name": "GitNotebookRepo extends VFSNotebookRepo implements NotebookRepoVersioned",
"method_signatures": "public GitNotebookRepo(ZeppelinConfiguration conf)\n@Override public synchronized void save(Note note)\nprivate void maybeAddAndCommit(String pattern)\n@Override public Note get(String noteId, String rev)\n@Override public List<Rev> history(String noteId)\n@Override public void close()\n Git getGit()\n void setGit(Git git)"
} | [
{
"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: zeppelin-zengine/src/main/java/org/apache/zeppelin/notebook/repo/GitNotebookRepo.java for which to generate the test case is:\nclass_name: GitNotebookRepo extends VFSNotebookRepo implements NotebookRepoVersioned\n\nclass_fields: private static final Logger LOG = LoggerFactory.getLogger(GitNotebookRepo.class);\nprivate String localPath;\nprivate Git git;\n\nmethod_signatures: public GitNotebookRepo(ZeppelinConfiguration conf)\n@Override public synchronized void save(Note note)\nprivate void maybeAddAndCommit(String pattern)\n@Override public Note get(String noteId, String rev)\n@Override public List<Rev> history(String noteId)\n@Override public void close()\n Git getGit()\n void setGit(Git git)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: GitNotebookRepoTest\n\nclass_fields: private static final String TEST_NOTE_ID = \"2A94M5J1Z\";\nprivate File zeppelinDir;\nprivate String notebooksDir;\nprivate ZeppelinConfiguration conf;\nprivate GitNotebookRepo notebookRepo;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file zeppelin-zengine/src/main/java/org/apache/zeppelin/notebook/repo/GitNotebookRepo.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public List<Rev> history(String noteId) {\n List<Rev> history = Lists.newArrayList();\n LOG.debug(\"Listing history for {}:\", noteId);\n try {\n Iterable<RevCommit> logs = git.log().addPath(noteId).call();\n for (RevCommit log: logs) {\n history.add(new Rev(log.getName(), log.getCommitTime()));\n LOG.debug(\" - ({},{})\", log.getName(), log.getCommitTime());\n }\n } catch (GitAPIException e) {\n LOG.error(\"Failed to get logs for {}\", noteId, e);\n }\n return history;\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 zeppelin-zengine/src/test/java/org/apache/zeppelin/notebook/repo/GitNotebookRepoTest.java\n </TESTFILE7041>\n @Test\n public void showNotebookHistory() throws GitAPIException, IOException {\n //given\n notebookRepo = new GitNotebookRepo(conf);\n assertThat(notebookRepo.list()).isNotEmpty();\n\n //when\n List<Rev> testNotebookHistory = notebookRepo.history(TEST_NOTE_ID);\n\n //then\n assertThat(testNotebookHistory).isNotEmpty();\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/apache/fineract-cn-portfolio | java | service/src/main/java/org/apache/fineract/cn/individuallending/internal/service/costcomponent/PeriodChargeCalculator.java | service/src/test/java/org/apache/fineract/cn/individuallending/internal/service/costcomponent/PeriodChargeCalculatorTest.java | static Map<Period, BigDecimal> getPeriodAccrualInterestRate(
final BigDecimal interest,
final List<ScheduledCharge> scheduledCharges,
final int precision) {
return scheduledCharges.stream()
.filter(PeriodChargeCalculator::accruedInterestCharge)
.collect(Collectors.groupingBy(scheduledCharge -> scheduledCharge.getScheduledAction().getRepaymentPeriod(),
Collectors.mapping(x -> chargeAmountPerPeriod(x, interest, precision), Collectors.reducing(BigDecimal.ZERO, BigDecimal::add))));
} | getPeriodAccrualInterestRate | @Test
public void getPeriodAccrualRatesTest()
{
final Map<Period, BigDecimal> periodRates = PeriodChargeCalculator.getPeriodAccrualInterestRate(testCase.interest, testCase.scheduledCharges, testCase.precision);
Assert.assertEquals(testCase.expectedPeriodRates, periodRates);
} | getPeriodAccrualRatesTest | [
"collect",
"filter",
"stream",
"groupingBy",
"getRepaymentPeriod",
"getScheduledAction",
"mapping",
"chargeAmountPerPeriod",
"reducing"
] | [
"getPeriodAccrualInterestRate",
"assertEquals"
] | {
"class_fields": "private final TestCase testCase;",
"class_name": "PeriodChargeCalculatorTest"
} | {
"class_fields": "",
"class_name": "PeriodChargeCalculator",
"method_signatures": "static Map<Period, BigDecimal> getPeriodAccrualInterestRate(\n final BigDecimal interest,\n final List<ScheduledCharge> scheduledCharges,\n final int precision)\nstatic Map<Period, BigDecimal> getPeriodAccrualCompoundedInterestRate(\n final BigDecimal interest,\n final List<ScheduledCharge> scheduledCharges,\n final int precision)\nprivate static boolean accruedInterestCharge(final ScheduledCharge scheduledCharge)\nstatic BigDecimal chargeAmountPerPeriod(\n final ScheduledCharge scheduledCharge,\n final BigDecimal amountInPercentagePoints,\n final int precision)\nstatic BigDecimal createCompoundedRate(final BigDecimal interestRate, final int periodCount, final int precision)"
} | [
{
"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: service/src/main/java/org/apache/fineract/cn/individuallending/internal/service/costcomponent/PeriodChargeCalculator.java for which to generate the test case is:\nclass_name: PeriodChargeCalculator\n\nclass_fields: \n\nmethod_signatures: static Map<Period, BigDecimal> getPeriodAccrualInterestRate(\n final BigDecimal interest,\n final List<ScheduledCharge> scheduledCharges,\n final int precision)\nstatic Map<Period, BigDecimal> getPeriodAccrualCompoundedInterestRate(\n final BigDecimal interest,\n final List<ScheduledCharge> scheduledCharges,\n final int precision)\nprivate static boolean accruedInterestCharge(final ScheduledCharge scheduledCharge)\nstatic BigDecimal chargeAmountPerPeriod(\n final ScheduledCharge scheduledCharge,\n final BigDecimal amountInPercentagePoints,\n final int precision)\nstatic BigDecimal createCompoundedRate(final BigDecimal interestRate, final int periodCount, final int precision)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: PeriodChargeCalculatorTest\n\nclass_fields: private final TestCase testCase;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file service/src/main/java/org/apache/fineract/cn/individuallending/internal/service/costcomponent/PeriodChargeCalculator.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n static Map<Period, BigDecimal> getPeriodAccrualInterestRate(\n final BigDecimal interest,\n final List<ScheduledCharge> scheduledCharges,\n final int precision) {\n return scheduledCharges.stream()\n .filter(PeriodChargeCalculator::accruedInterestCharge)\n .collect(Collectors.groupingBy(scheduledCharge -> scheduledCharge.getScheduledAction().getRepaymentPeriod(),\n Collectors.mapping(x -> chargeAmountPerPeriod(x, interest, precision), Collectors.reducing(BigDecimal.ZERO, BigDecimal::add))));\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 service/src/test/java/org/apache/fineract/cn/individuallending/internal/service/costcomponent/PeriodChargeCalculatorTest.java\n </TESTFILE7041>\n @Test\n public void getPeriodAccrualRatesTest()\n {\n final Map<Period, BigDecimal> periodRates = PeriodChargeCalculator.getPeriodAccrualInterestRate(testCase.interest, testCase.scheduledCharges, testCase.precision);\n Assert.assertEquals(testCase.expectedPeriodRates, periodRates);\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lorthos/incubator-zeppelin-druid | java | elasticsearch/src/main/java/org/apache/zeppelin/elasticsearch/ElasticsearchInterpreter.java | elasticsearch/src/test/java/org/apache/zeppelin/elasticsearch/ElasticsearchInterpreterTest.java | @Override
public InterpreterResult interpret(String cmd, InterpreterContext interpreterContext) {
logger.info("Run Elasticsearch command '" + cmd + "'");
int currentResultSize = resultSize;
if (client == null) {
return new InterpreterResult(InterpreterResult.Code.ERROR,
"Problem with the Elasticsearch client, please check your configuration (host, port,...)");
}
String[] items = StringUtils.split(cmd.trim(), " ", 3);
// Process some specific commands (help, size, ...)
if ("help".equalsIgnoreCase(items[0])) {
return processHelp(InterpreterResult.Code.SUCCESS, null);
}
if ("size".equalsIgnoreCase(items[0])) {
// In this case, the line with size must be followed by a search,
// so we will continue with the next lines
final String[] lines = StringUtils.split(cmd.trim(), "\n", 2);
if (lines.length < 2) {
return processHelp(InterpreterResult.Code.ERROR,
"Size cmd must be followed by a search");
}
final String[] sizeLine = StringUtils.split(lines[0], " ", 2);
if (sizeLine.length != 2) {
return processHelp(InterpreterResult.Code.ERROR, "Right format is : size <value>");
}
currentResultSize = Integer.parseInt(sizeLine[1]);
items = StringUtils.split(lines[1].trim(), " ", 3);
}
if (items.length < 2) {
return processHelp(InterpreterResult.Code.ERROR, "Arguments missing");
}
final String method = items[0];
final String url = items[1];
final String data = items.length > 2 ? items[2].trim() : null;
final String[] urlItems = StringUtils.split(url.trim(), "/");
try {
if ("get".equalsIgnoreCase(method)) {
return processGet(urlItems);
}
else if ("count".equalsIgnoreCase(method)) {
return processCount(urlItems, data);
}
else if ("search".equalsIgnoreCase(method)) {
return processSearch(urlItems, data, currentResultSize);
}
else if ("index".equalsIgnoreCase(method)) {
return processIndex(urlItems, data);
}
else if ("delete".equalsIgnoreCase(method)) {
return processDelete(urlItems);
}
return processHelp(InterpreterResult.Code.ERROR, "Unknown command");
}
catch (Exception e) {
return new InterpreterResult(InterpreterResult.Code.ERROR, "Error : " + e.getMessage());
}
} | interpret | @Test
public void testCount() {
InterpreterResult res = interpreter.interpret("count /unknown", null);
assertEquals(Code.ERROR, res.code());
res = interpreter.interpret("count /logs", null);
assertEquals("50", res.message());
} | testCount | [
"info",
"split",
"trim",
"equalsIgnoreCase",
"processHelp",
"equalsIgnoreCase",
"split",
"trim",
"processHelp",
"split",
"processHelp",
"parseInt",
"split",
"trim",
"processHelp",
"trim",
"split",
"trim",
"equalsIgnoreCase",
"processGet",
"equalsIgnoreCase",
"processCount",
"equalsIgnoreCase",
"processSearch",
"equalsIgnoreCase",
"processIndex",
"equalsIgnoreCase",
"processDelete",
"processHelp",
"getMessage"
] | [
"interpret",
"assertEquals",
"code",
"interpret",
"assertEquals",
"message"
] | {
"class_fields": "private static Client elsClient;\nprivate static Node elsNode;\nprivate static ElasticsearchInterpreter interpreter;\nprivate static final String[] METHODS = { \"GET\", \"PUT\", \"DELETE\", \"POST\" };\nprivate static final int[] STATUS = { 200, 404, 500, 403 };\nprivate static final String ELS_CLUSTER_NAME = \"zeppelin-elasticsearch-interpreter-test\";\nprivate static final String ELS_HOST = \"localhost\";\nprivate static final String ELS_TRANSPORT_PORT = \"10300\";\nprivate static final String ELS_HTTP_PORT = \"10200\";\nprivate static final String ELS_PATH = \"/tmp/els\";",
"class_name": "ElasticsearchInterpreterTest"
} | {
"class_fields": "private static Logger logger = LoggerFactory.getLogger(ElasticsearchInterpreter.class);\nprivate static final String HELP = \"Elasticsearch interpreter:\\n\"\n + \"General format: <command> /<indices>/<types>/<id> <option> <JSON>\\n\"\n + \" - indices: list of indices separated by commas (depends on the command)\\n\"\n + \" - types: list of document types separated by commas (depends on the command)\\n\"\n + \"Commands:\\n\"\n + \" - search /indices/types <query>\\n\"\n + \" . indices and types can be omitted (at least, you have to provide '/')\\n\"\n + \" . a query is either a JSON-formatted query, nor a lucene query\\n\"\n + \" - size <value>\\n\"\n + \" . defines the size of the result set (default value is in the config)\\n\"\n + \" . if used, this command must be declared before a search command\\n\"\n + \" - count /indices/types <query>\\n\"\n + \" . same comments as for the search\\n\"\n + \" - get /index/type/id\\n\"\n + \" - delete /index/type/id\\n\"\n + \" - index /ndex/type/id <json-formatted document>\\n\"\n + \" . the id can be omitted, elasticsearch will generate one\";\nprivate static final List<String> COMMANDS = Arrays.asList(\n \"count\", \"delete\", \"get\", \"help\", \"index\", \"search\");\npublic static final String ELASTICSEARCH_HOST = \"elasticsearch.host\";\npublic static final String ELASTICSEARCH_PORT = \"elasticsearch.port\";\npublic static final String ELASTICSEARCH_CLUSTER_NAME = \"elasticsearch.cluster.name\";\npublic static final String ELASTICSEARCH_RESULT_SIZE = \"elasticsearch.result.size\";\nprivate final Gson gson = new GsonBuilder().setPrettyPrinting().create();\nprivate Client client;\nprivate String host = \"localhost\";\nprivate int port = 9300;\nprivate String clusterName = \"elasticsearch\";\nprivate int resultSize = 10;",
"class_name": "ElasticsearchInterpreter extends Interpreter",
"method_signatures": "public ElasticsearchInterpreter(Properties property)\n@Override public void open()\n@Override public void close()\n@Override public InterpreterResult interpret(String cmd, InterpreterContext interpreterContext)\n@Override public void cancel(InterpreterContext interpreterContext)\n@Override public FormType getFormType()\n@Override public int getProgress(InterpreterContext interpreterContext)\n@Override public List<String> completion(String s, int i)\nprivate InterpreterResult processHelp(InterpreterResult.Code code, String additionalMessage)\nprivate InterpreterResult processGet(String[] urlItems)\nprivate InterpreterResult processCount(String[] urlItems, String data)\nprivate InterpreterResult processSearch(String[] urlItems, String data, int size)\nprivate InterpreterResult processIndex(String[] urlItems, String data)\nprivate InterpreterResult processDelete(String[] urlItems)\nprivate SearchResponse searchData(String[] urlItems, String query, int size)\nprivate InterpreterResult buildAggResponseMessage(Aggregations aggregations)\nprivate String buildSearchHitsResponseMessage(SearchHit[] hits)\nprivate InterpreterResult buildResponseMessage(SearchResponse response)"
} | [
{
"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: elasticsearch/src/main/java/org/apache/zeppelin/elasticsearch/ElasticsearchInterpreter.java for which to generate the test case is:\nclass_name: ElasticsearchInterpreter extends Interpreter\n\nclass_fields: private static Logger logger = LoggerFactory.getLogger(ElasticsearchInterpreter.class);\nprivate static final String HELP = \"Elasticsearch interpreter:\\n\"\n + \"General format: <command> /<indices>/<types>/<id> <option> <JSON>\\n\"\n + \" - indices: list of indices separated by commas (depends on the command)\\n\"\n + \" - types: list of document types separated by commas (depends on the command)\\n\"\n + \"Commands:\\n\"\n + \" - search /indices/types <query>\\n\"\n + \" . indices and types can be omitted (at least, you have to provide '/')\\n\"\n + \" . a query is either a JSON-formatted query, nor a lucene query\\n\"\n + \" - size <value>\\n\"\n + \" . defines the size of the result set (default value is in the config)\\n\"\n + \" . if used, this command must be declared before a search command\\n\"\n + \" - count /indices/types <query>\\n\"\n + \" . same comments as for the search\\n\"\n + \" - get /index/type/id\\n\"\n + \" - delete /index/type/id\\n\"\n + \" - index /ndex/type/id <json-formatted document>\\n\"\n + \" . the id can be omitted, elasticsearch will generate one\";\nprivate static final List<String> COMMANDS = Arrays.asList(\n \"count\", \"delete\", \"get\", \"help\", \"index\", \"search\");\npublic static final String ELASTICSEARCH_HOST = \"elasticsearch.host\";\npublic static final String ELASTICSEARCH_PORT = \"elasticsearch.port\";\npublic static final String ELASTICSEARCH_CLUSTER_NAME = \"elasticsearch.cluster.name\";\npublic static final String ELASTICSEARCH_RESULT_SIZE = \"elasticsearch.result.size\";\nprivate final Gson gson = new GsonBuilder().setPrettyPrinting().create();\nprivate Client client;\nprivate String host = \"localhost\";\nprivate int port = 9300;\nprivate String clusterName = \"elasticsearch\";\nprivate int resultSize = 10;\n\nmethod_signatures: public ElasticsearchInterpreter(Properties property)\n@Override public void open()\n@Override public void close()\n@Override public InterpreterResult interpret(String cmd, InterpreterContext interpreterContext)\n@Override public void cancel(InterpreterContext interpreterContext)\n@Override public FormType getFormType()\n@Override public int getProgress(InterpreterContext interpreterContext)\n@Override public List<String> completion(String s, int i)\nprivate InterpreterResult processHelp(InterpreterResult.Code code, String additionalMessage)\nprivate InterpreterResult processGet(String[] urlItems)\nprivate InterpreterResult processCount(String[] urlItems, String data)\nprivate InterpreterResult processSearch(String[] urlItems, String data, int size)\nprivate InterpreterResult processIndex(String[] urlItems, String data)\nprivate InterpreterResult processDelete(String[] urlItems)\nprivate SearchResponse searchData(String[] urlItems, String query, int size)\nprivate InterpreterResult buildAggResponseMessage(Aggregations aggregations)\nprivate String buildSearchHitsResponseMessage(SearchHit[] hits)\nprivate InterpreterResult buildResponseMessage(SearchResponse response)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: ElasticsearchInterpreterTest\n\nclass_fields: private static Client elsClient;\nprivate static Node elsNode;\nprivate static ElasticsearchInterpreter interpreter;\nprivate static final String[] METHODS = { \"GET\", \"PUT\", \"DELETE\", \"POST\" };\nprivate static final int[] STATUS = { 200, 404, 500, 403 };\nprivate static final String ELS_CLUSTER_NAME = \"zeppelin-elasticsearch-interpreter-test\";\nprivate static final String ELS_HOST = \"localhost\";\nprivate static final String ELS_TRANSPORT_PORT = \"10300\";\nprivate static final String ELS_HTTP_PORT = \"10200\";\nprivate static final String ELS_PATH = \"/tmp/els\";\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file elasticsearch/src/main/java/org/apache/zeppelin/elasticsearch/ElasticsearchInterpreter.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public InterpreterResult interpret(String cmd, InterpreterContext interpreterContext) {\n logger.info(\"Run Elasticsearch command '\" + cmd + \"'\");\n\n int currentResultSize = resultSize;\n\n if (client == null) {\n return new InterpreterResult(InterpreterResult.Code.ERROR,\n \"Problem with the Elasticsearch client, please check your configuration (host, port,...)\");\n }\n\n String[] items = StringUtils.split(cmd.trim(), \" \", 3);\n\n // Process some specific commands (help, size, ...)\n if (\"help\".equalsIgnoreCase(items[0])) {\n return processHelp(InterpreterResult.Code.SUCCESS, null);\n }\n\n if (\"size\".equalsIgnoreCase(items[0])) {\n // In this case, the line with size must be followed by a search,\n // so we will continue with the next lines\n final String[] lines = StringUtils.split(cmd.trim(), \"\\n\", 2);\n\n if (lines.length < 2) {\n return processHelp(InterpreterResult.Code.ERROR,\n \"Size cmd must be followed by a search\");\n }\n\n final String[] sizeLine = StringUtils.split(lines[0], \" \", 2);\n if (sizeLine.length != 2) {\n return processHelp(InterpreterResult.Code.ERROR, \"Right format is : size <value>\");\n }\n currentResultSize = Integer.parseInt(sizeLine[1]);\n\n items = StringUtils.split(lines[1].trim(), \" \", 3);\n }\n\n if (items.length < 2) {\n return processHelp(InterpreterResult.Code.ERROR, \"Arguments missing\");\n }\n\n final String method = items[0];\n final String url = items[1];\n final String data = items.length > 2 ? items[2].trim() : null;\n\n final String[] urlItems = StringUtils.split(url.trim(), \"/\");\n\n try {\n if (\"get\".equalsIgnoreCase(method)) {\n return processGet(urlItems);\n }\n else if (\"count\".equalsIgnoreCase(method)) {\n return processCount(urlItems, data);\n }\n else if (\"search\".equalsIgnoreCase(method)) {\n return processSearch(urlItems, data, currentResultSize);\n }\n else if (\"index\".equalsIgnoreCase(method)) {\n return processIndex(urlItems, data);\n }\n else if (\"delete\".equalsIgnoreCase(method)) {\n return processDelete(urlItems);\n }\n\n return processHelp(InterpreterResult.Code.ERROR, \"Unknown command\");\n }\n catch (Exception e) {\n return new InterpreterResult(InterpreterResult.Code.ERROR, \"Error : \" + 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 elasticsearch/src/test/java/org/apache/zeppelin/elasticsearch/ElasticsearchInterpreterTest.java\n </TESTFILE7041>\n @Test\n public void testCount() {\n \n InterpreterResult res = interpreter.interpret(\"count /unknown\", null);\n assertEquals(Code.ERROR, res.code());\n \n res = interpreter.interpret(\"count /logs\", null);\n assertEquals(\"50\", res.message());\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/apache/fineract-cn-portfolio | java | service/src/main/java/org/apache/fineract/cn/individuallending/internal/service/DesignatorToAccountIdentifierMapper.java | service/src/test/java/org/apache/fineract/cn/individuallending/internal/service/DesignatorToAccountIdentifierMapperTest.java | public Stream<GroupNeedingLedger> getGroupsNeedingLedgers() {
//If all of the accounts in one group are assigned the same ledger, create a grouping ledger at the case level for
// those accounts under that ledger.
//Save that grouping ledger to an account assignment using the group name as its designator.
//To this end, return a stream of group names requiring a ledger, and the parent ledger under which the ledger
// should be created.
final Set<String> accountAssignmentGroups = IndividualLendingPatternFactory.individualLendingPattern().getAccountAssignmentGroups();
final Set<RequiredAccountAssignment> accountAssignmentsRequired = IndividualLendingPatternFactory.individualLendingPattern().getAccountAssignmentsRequired();
return accountAssignmentGroups.stream()
.filter(groupName -> !mapToProductAccountAssignment(groupName).isPresent()) //Only assign groups to ledgers which aren't already assigned.
.map(groupName -> {
final Stream<RequiredAccountAssignment> requiredAccountAssignmentsInThisGroup
= accountAssignmentsRequired.stream().filter(x -> groupName.equals(x.getGroup()));
final List<String> ledgersAssignedToThem = requiredAccountAssignmentsInThisGroup
.map(requiredAccountAssignment -> mapToProductAccountAssignment(requiredAccountAssignment.getAccountDesignator()))
.map(optionalAccountAssignment -> optionalAccountAssignment.map(AccountAssignment::getLedgerIdentifier))
.distinct()
.filter(Optional::isPresent)
.map(Optional::get)
.limit(2) //If there's more than one then we won't be creating this ledger. We don't care about more than two.
.collect(Collectors.toList());
if (ledgersAssignedToThem.size() == 1) {
//noinspection ConstantConditions
return new GroupNeedingLedger(groupName, ledgersAssignedToThem.get(0));
}
else
return null;
})
.filter(Objects::nonNull);
} | getGroupsNeedingLedgers | @Test
public void getGroupsNeedingLedgers() {
Set<DesignatorToAccountIdentifierMapper.GroupNeedingLedger> ret = testSubject.getGroupsNeedingLedgers().collect(Collectors.toSet());
//noinspection ResultOfMethodCallIgnored //Checking GroupNeedingLedger.toString that it doesn't cause exceptions.
ret.toString();
Assert.assertEquals(testCase.expectedGroupsNeedingLedgers, ret);
} | getGroupsNeedingLedgers | [
"getAccountAssignmentGroups",
"individualLendingPattern",
"getAccountAssignmentsRequired",
"individualLendingPattern",
"filter",
"map",
"filter",
"stream",
"isPresent",
"mapToProductAccountAssignment",
"filter",
"stream",
"equals",
"getGroup",
"collect",
"limit",
"map",
"filter",
"distinct",
"map",
"map",
"mapToProductAccountAssignment",
"getAccountDesignator",
"map",
"toList",
"size",
"get"
] | [
"collect",
"getGroupsNeedingLedgers",
"toSet",
"toString",
"assertEquals"
] | {
"class_fields": "private final TestCase testCase;\nprivate final DesignatorToAccountIdentifierMapper testSubject;",
"class_name": "DesignatorToAccountIdentifierMapperTest"
} | {
"class_fields": "private final @Nonnull Set<ProductAccountAssignmentEntity> productAccountAssignments;\nprivate final @Nonnull Set<CaseAccountAssignmentEntity> caseAccountAssignments;\nprivate final @Nonnull List<AccountAssignment> oneTimeAccountAssignments;",
"class_name": "DesignatorToAccountIdentifierMapper",
"method_signatures": "public DesignatorToAccountIdentifierMapper(final @Nonnull DataContextOfAction dataContextOfAction)\n DesignatorToAccountIdentifierMapper(\n final @Nonnull Set<ProductAccountAssignmentEntity> productAccountAssignments,\n final @Nonnull Set<CaseAccountAssignmentEntity> caseAccountAssignments,\n final @Nonnull List<AccountAssignment> oneTimeAccountAssignments)\nprivate Stream<AccountAssignment> allAccountAssignmentsAsStream()\nprivate Stream<AccountAssignment> fixedAccountAssignmentsAsStream()\nprivate Stream<AccountAssignment> productAccountAssignmentsAsStream()\nprivate Optional<AccountAssignment> mapToAccountAssignment(final @Nonnull String accountDesignator)\nprivate Optional<AccountAssignment> mapToProductAccountAssignment(final @Nonnull String accountDesignator)\n Optional<AccountAssignment> mapToCaseAccountAssignment(final @Nonnull String accountDesignator)\npublic Optional<String> map(final @Nonnull String accountDesignator)\npublic String mapOrThrow(final @Nonnull String accountDesignator)\npublic Stream<GroupNeedingLedger> getGroupsNeedingLedgers()\npublic Stream<AccountAssignment> getLedgersNeedingAccounts()"
} | [
{
"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: service/src/main/java/org/apache/fineract/cn/individuallending/internal/service/DesignatorToAccountIdentifierMapper.java for which to generate the test case is:\nclass_name: DesignatorToAccountIdentifierMapper\n\nclass_fields: private final @Nonnull Set<ProductAccountAssignmentEntity> productAccountAssignments;\nprivate final @Nonnull Set<CaseAccountAssignmentEntity> caseAccountAssignments;\nprivate final @Nonnull List<AccountAssignment> oneTimeAccountAssignments;\n\nmethod_signatures: public DesignatorToAccountIdentifierMapper(final @Nonnull DataContextOfAction dataContextOfAction)\n DesignatorToAccountIdentifierMapper(\n final @Nonnull Set<ProductAccountAssignmentEntity> productAccountAssignments,\n final @Nonnull Set<CaseAccountAssignmentEntity> caseAccountAssignments,\n final @Nonnull List<AccountAssignment> oneTimeAccountAssignments)\nprivate Stream<AccountAssignment> allAccountAssignmentsAsStream()\nprivate Stream<AccountAssignment> fixedAccountAssignmentsAsStream()\nprivate Stream<AccountAssignment> productAccountAssignmentsAsStream()\nprivate Optional<AccountAssignment> mapToAccountAssignment(final @Nonnull String accountDesignator)\nprivate Optional<AccountAssignment> mapToProductAccountAssignment(final @Nonnull String accountDesignator)\n Optional<AccountAssignment> mapToCaseAccountAssignment(final @Nonnull String accountDesignator)\npublic Optional<String> map(final @Nonnull String accountDesignator)\npublic String mapOrThrow(final @Nonnull String accountDesignator)\npublic Stream<GroupNeedingLedger> getGroupsNeedingLedgers()\npublic Stream<AccountAssignment> getLedgersNeedingAccounts()\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: DesignatorToAccountIdentifierMapperTest\n\nclass_fields: private final TestCase testCase;\nprivate final DesignatorToAccountIdentifierMapper testSubject;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file service/src/main/java/org/apache/fineract/cn/individuallending/internal/service/DesignatorToAccountIdentifierMapper.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public Stream<GroupNeedingLedger> getGroupsNeedingLedgers() {\n //If all of the accounts in one group are assigned the same ledger, create a grouping ledger at the case level for\n // those accounts under that ledger.\n //Save that grouping ledger to an account assignment using the group name as its designator.\n //To this end, return a stream of group names requiring a ledger, and the parent ledger under which the ledger\n // should be created.\n\n final Set<String> accountAssignmentGroups = IndividualLendingPatternFactory.individualLendingPattern().getAccountAssignmentGroups();\n final Set<RequiredAccountAssignment> accountAssignmentsRequired = IndividualLendingPatternFactory.individualLendingPattern().getAccountAssignmentsRequired();\n\n return accountAssignmentGroups.stream()\n .filter(groupName -> !mapToProductAccountAssignment(groupName).isPresent()) //Only assign groups to ledgers which aren't already assigned.\n .map(groupName -> {\n final Stream<RequiredAccountAssignment> requiredAccountAssignmentsInThisGroup\n = accountAssignmentsRequired.stream().filter(x -> groupName.equals(x.getGroup()));\n final List<String> ledgersAssignedToThem = requiredAccountAssignmentsInThisGroup\n .map(requiredAccountAssignment -> mapToProductAccountAssignment(requiredAccountAssignment.getAccountDesignator()))\n .map(optionalAccountAssignment -> optionalAccountAssignment.map(AccountAssignment::getLedgerIdentifier))\n .distinct()\n .filter(Optional::isPresent)\n .map(Optional::get)\n .limit(2) //If there's more than one then we won't be creating this ledger. We don't care about more than two.\n .collect(Collectors.toList());\n if (ledgersAssignedToThem.size() == 1) {\n //noinspection ConstantConditions\n return new GroupNeedingLedger(groupName, ledgersAssignedToThem.get(0));\n }\n else\n return null;\n })\n .filter(Objects::nonNull);\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 service/src/test/java/org/apache/fineract/cn/individuallending/internal/service/DesignatorToAccountIdentifierMapperTest.java\n </TESTFILE7041>\n @Test\n public void getGroupsNeedingLedgers() {\n Set<DesignatorToAccountIdentifierMapper.GroupNeedingLedger> ret = testSubject.getGroupsNeedingLedgers().collect(Collectors.toSet());\n //noinspection ResultOfMethodCallIgnored //Checking GroupNeedingLedger.toString that it doesn't cause exceptions.\n ret.toString();\n Assert.assertEquals(testCase.expectedGroupsNeedingLedgers, ret);\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/apache/fineract-cn-portfolio | java | service/src/main/java/org/apache/fineract/cn/individuallending/internal/service/DesignatorToAccountIdentifierMapper.java | service/src/test/java/org/apache/fineract/cn/individuallending/internal/service/DesignatorToAccountIdentifierMapperTest.java | public Optional<String> map(final @Nonnull String accountDesignator) {
final Set<String> accountAssignmentGroups = IndividualLendingPatternFactory.individualLendingPattern().getAccountAssignmentGroups();
if (accountAssignmentGroups.contains(accountDesignator))
return Optional.empty();
return mapToAccountAssignment(accountDesignator)
.map(AccountAssignment::getAccountIdentifier);
} | map | @Test
public void map() {
Assert.assertEquals(Optional.empty(), testSubject.map(AccountDesignators.CUSTOMER_LOAN_GROUP));
Assert.assertEquals(testCase.expectedMapCustomerLoanPrincipalResult, testSubject.map(AccountDesignators.CUSTOMER_LOAN_PRINCIPAL));
Assert.assertEquals(Optional.empty(), testSubject.map("this-account-designator-doesnt-exist"));
} | map | [
"getAccountAssignmentGroups",
"individualLendingPattern",
"contains",
"empty",
"map",
"mapToAccountAssignment"
] | [
"assertEquals",
"empty",
"map",
"assertEquals",
"map",
"assertEquals",
"empty",
"map"
] | {
"class_fields": "private final TestCase testCase;\nprivate final DesignatorToAccountIdentifierMapper testSubject;",
"class_name": "DesignatorToAccountIdentifierMapperTest"
} | {
"class_fields": "private final @Nonnull Set<ProductAccountAssignmentEntity> productAccountAssignments;\nprivate final @Nonnull Set<CaseAccountAssignmentEntity> caseAccountAssignments;\nprivate final @Nonnull List<AccountAssignment> oneTimeAccountAssignments;",
"class_name": "DesignatorToAccountIdentifierMapper",
"method_signatures": "public DesignatorToAccountIdentifierMapper(final @Nonnull DataContextOfAction dataContextOfAction)\n DesignatorToAccountIdentifierMapper(\n final @Nonnull Set<ProductAccountAssignmentEntity> productAccountAssignments,\n final @Nonnull Set<CaseAccountAssignmentEntity> caseAccountAssignments,\n final @Nonnull List<AccountAssignment> oneTimeAccountAssignments)\nprivate Stream<AccountAssignment> allAccountAssignmentsAsStream()\nprivate Stream<AccountAssignment> fixedAccountAssignmentsAsStream()\nprivate Stream<AccountAssignment> productAccountAssignmentsAsStream()\nprivate Optional<AccountAssignment> mapToAccountAssignment(final @Nonnull String accountDesignator)\nprivate Optional<AccountAssignment> mapToProductAccountAssignment(final @Nonnull String accountDesignator)\n Optional<AccountAssignment> mapToCaseAccountAssignment(final @Nonnull String accountDesignator)\npublic Optional<String> map(final @Nonnull String accountDesignator)\npublic String mapOrThrow(final @Nonnull String accountDesignator)\npublic Stream<GroupNeedingLedger> getGroupsNeedingLedgers()\npublic Stream<AccountAssignment> getLedgersNeedingAccounts()"
} | [
{
"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: service/src/main/java/org/apache/fineract/cn/individuallending/internal/service/DesignatorToAccountIdentifierMapper.java for which to generate the test case is:\nclass_name: DesignatorToAccountIdentifierMapper\n\nclass_fields: private final @Nonnull Set<ProductAccountAssignmentEntity> productAccountAssignments;\nprivate final @Nonnull Set<CaseAccountAssignmentEntity> caseAccountAssignments;\nprivate final @Nonnull List<AccountAssignment> oneTimeAccountAssignments;\n\nmethod_signatures: public DesignatorToAccountIdentifierMapper(final @Nonnull DataContextOfAction dataContextOfAction)\n DesignatorToAccountIdentifierMapper(\n final @Nonnull Set<ProductAccountAssignmentEntity> productAccountAssignments,\n final @Nonnull Set<CaseAccountAssignmentEntity> caseAccountAssignments,\n final @Nonnull List<AccountAssignment> oneTimeAccountAssignments)\nprivate Stream<AccountAssignment> allAccountAssignmentsAsStream()\nprivate Stream<AccountAssignment> fixedAccountAssignmentsAsStream()\nprivate Stream<AccountAssignment> productAccountAssignmentsAsStream()\nprivate Optional<AccountAssignment> mapToAccountAssignment(final @Nonnull String accountDesignator)\nprivate Optional<AccountAssignment> mapToProductAccountAssignment(final @Nonnull String accountDesignator)\n Optional<AccountAssignment> mapToCaseAccountAssignment(final @Nonnull String accountDesignator)\npublic Optional<String> map(final @Nonnull String accountDesignator)\npublic String mapOrThrow(final @Nonnull String accountDesignator)\npublic Stream<GroupNeedingLedger> getGroupsNeedingLedgers()\npublic Stream<AccountAssignment> getLedgersNeedingAccounts()\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: DesignatorToAccountIdentifierMapperTest\n\nclass_fields: private final TestCase testCase;\nprivate final DesignatorToAccountIdentifierMapper testSubject;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file service/src/main/java/org/apache/fineract/cn/individuallending/internal/service/DesignatorToAccountIdentifierMapper.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public Optional<String> map(final @Nonnull String accountDesignator) {\n final Set<String> accountAssignmentGroups = IndividualLendingPatternFactory.individualLendingPattern().getAccountAssignmentGroups();\n if (accountAssignmentGroups.contains(accountDesignator))\n return Optional.empty();\n return mapToAccountAssignment(accountDesignator)\n .map(AccountAssignment::getAccountIdentifier);\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 service/src/test/java/org/apache/fineract/cn/individuallending/internal/service/DesignatorToAccountIdentifierMapperTest.java\n </TESTFILE7041>\n @Test\n public void map() {\n Assert.assertEquals(Optional.empty(), testSubject.map(AccountDesignators.CUSTOMER_LOAN_GROUP));\n Assert.assertEquals(testCase.expectedMapCustomerLoanPrincipalResult, testSubject.map(AccountDesignators.CUSTOMER_LOAN_PRINCIPAL));\n Assert.assertEquals(Optional.empty(), testSubject.map(\"this-account-designator-doesnt-exist\"));\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lorthos/incubator-zeppelin-druid | java | spark/src/main/java/org/apache/zeppelin/spark/SparkSqlInterpreter.java | spark/src/test/java/org/apache/zeppelin/spark/SparkSqlInterpreterTest.java | @Override
public InterpreterResult interpret(String st, InterpreterContext context) {
SQLContext sqlc = null;
SparkInterpreter sparkInterpreter = getSparkInterpreter();
if (sparkInterpreter.getSparkVersion().isUnsupportedVersion()) {
return new InterpreterResult(Code.ERROR, "Spark "
+ sparkInterpreter.getSparkVersion().toString() + " is not supported");
}
sqlc = getSparkInterpreter().getSQLContext();
SparkContext sc = sqlc.sparkContext();
if (concurrentSQL()) {
sc.setLocalProperty("spark.scheduler.pool", "fair");
} else {
sc.setLocalProperty("spark.scheduler.pool", null);
}
sc.setJobGroup(getJobGroup(context), "Zeppelin", false);
Object rdd = null;
try {
// method signature of sqlc.sql() is changed
// from def sql(sqlText: String): SchemaRDD (1.2 and prior)
// to def sql(sqlText: String): DataFrame (1.3 and later).
// Therefore need to use reflection to keep binary compatibility for all spark versions.
Method sqlMethod = sqlc.getClass().getMethod("sql", String.class);
rdd = sqlMethod.invoke(sqlc, st);
} catch (NoSuchMethodException | SecurityException | IllegalAccessException
| IllegalArgumentException | InvocationTargetException e) {
throw new InterpreterException(e);
}
String msg = ZeppelinContext.showDF(sc, context, rdd, maxResult);
sc.clearJobGroup();
return new InterpreterResult(Code.SUCCESS, msg);
} | interpret | @Test
public void testStruct() {
repl.interpret("case class Person(name:String, age:Int)", context);
repl.interpret("case class People(group:String, person:Person)", context);
repl.interpret(
"val gr = sc.parallelize(Seq(People(\"g1\", Person(\"moon\",33)), People(\"g2\", Person(\"sun\",11))))",
context);
if (isDataFrameSupported()) {
repl.interpret("gr.toDF.registerTempTable(\"gr\")", context);
} else {
repl.interpret("gr.registerTempTable(\"gr\")", context);
}
InterpreterResult ret = sql.interpret("select * from gr", context);
assertEquals(InterpreterResult.Code.SUCCESS, ret.code());
} | testStruct | [
"getSparkInterpreter",
"isUnsupportedVersion",
"getSparkVersion",
"toString",
"getSparkVersion",
"getSQLContext",
"getSparkInterpreter",
"sparkContext",
"concurrentSQL",
"setLocalProperty",
"setLocalProperty",
"setJobGroup",
"getJobGroup",
"getMethod",
"getClass",
"invoke",
"showDF",
"clearJobGroup"
] | [
"interpret",
"interpret",
"interpret",
"isDataFrameSupported",
"interpret",
"interpret",
"interpret",
"assertEquals",
"code"
] | {
"class_fields": "private SparkSqlInterpreter sql;\nprivate SparkInterpreter repl;\nprivate InterpreterContext context;\nprivate InterpreterGroup intpGroup;",
"class_name": "SparkSqlInterpreterTest"
} | {
"class_fields": "Logger logger = LoggerFactory.getLogger(SparkSqlInterpreter.class);\nAtomicInteger num = new AtomicInteger(0);\nprivate int maxResult;",
"class_name": "SparkSqlInterpreter extends Interpreter",
"method_signatures": "private String getJobGroup(InterpreterContext context)\npublic SparkSqlInterpreter(Properties property)\n@Override public void open()\nprivate SparkInterpreter getSparkInterpreter()\npublic boolean concurrentSQL()\n@Override public void close()\n@Override public InterpreterResult interpret(String st, InterpreterContext context)\n@Override public void cancel(InterpreterContext context)\n@Override public FormType getFormType()\n@Override public int getProgress(InterpreterContext context)\n@Override public Scheduler getScheduler()\n@Override public List<String> completion(String buf, int cursor)"
} | [
{
"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: spark/src/main/java/org/apache/zeppelin/spark/SparkSqlInterpreter.java for which to generate the test case is:\nclass_name: SparkSqlInterpreter extends Interpreter\n\nclass_fields: Logger logger = LoggerFactory.getLogger(SparkSqlInterpreter.class);\nAtomicInteger num = new AtomicInteger(0);\nprivate int maxResult;\n\nmethod_signatures: private String getJobGroup(InterpreterContext context)\npublic SparkSqlInterpreter(Properties property)\n@Override public void open()\nprivate SparkInterpreter getSparkInterpreter()\npublic boolean concurrentSQL()\n@Override public void close()\n@Override public InterpreterResult interpret(String st, InterpreterContext context)\n@Override public void cancel(InterpreterContext context)\n@Override public FormType getFormType()\n@Override public int getProgress(InterpreterContext context)\n@Override public Scheduler getScheduler()\n@Override public List<String> completion(String buf, int cursor)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: SparkSqlInterpreterTest\n\nclass_fields: private SparkSqlInterpreter sql;\nprivate SparkInterpreter repl;\nprivate InterpreterContext context;\nprivate InterpreterGroup intpGroup;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file spark/src/main/java/org/apache/zeppelin/spark/SparkSqlInterpreter.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public InterpreterResult interpret(String st, InterpreterContext context) {\n SQLContext sqlc = null;\n SparkInterpreter sparkInterpreter = getSparkInterpreter();\n\n if (sparkInterpreter.getSparkVersion().isUnsupportedVersion()) {\n return new InterpreterResult(Code.ERROR, \"Spark \"\n + sparkInterpreter.getSparkVersion().toString() + \" is not supported\");\n }\n\n sqlc = getSparkInterpreter().getSQLContext();\n SparkContext sc = sqlc.sparkContext();\n if (concurrentSQL()) {\n sc.setLocalProperty(\"spark.scheduler.pool\", \"fair\");\n } else {\n sc.setLocalProperty(\"spark.scheduler.pool\", null);\n }\n\n sc.setJobGroup(getJobGroup(context), \"Zeppelin\", false);\n Object rdd = null;\n try {\n // method signature of sqlc.sql() is changed\n // from def sql(sqlText: String): SchemaRDD (1.2 and prior)\n // to def sql(sqlText: String): DataFrame (1.3 and later).\n // Therefore need to use reflection to keep binary compatibility for all spark versions.\n Method sqlMethod = sqlc.getClass().getMethod(\"sql\", String.class);\n rdd = sqlMethod.invoke(sqlc, st);\n } catch (NoSuchMethodException | SecurityException | IllegalAccessException\n | IllegalArgumentException | InvocationTargetException e) {\n throw new InterpreterException(e);\n }\n\n String msg = ZeppelinContext.showDF(sc, context, rdd, maxResult);\n sc.clearJobGroup();\n return new InterpreterResult(Code.SUCCESS, msg);\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 spark/src/test/java/org/apache/zeppelin/spark/SparkSqlInterpreterTest.java\n </TESTFILE7041>\n @Test\n public void testStruct() {\n repl.interpret(\"case class Person(name:String, age:Int)\", context);\n repl.interpret(\"case class People(group:String, person:Person)\", context);\n repl.interpret(\n \"val gr = sc.parallelize(Seq(People(\\\"g1\\\", Person(\\\"moon\\\",33)), People(\\\"g2\\\", Person(\\\"sun\\\",11))))\",\n context);\n if (isDataFrameSupported()) {\n repl.interpret(\"gr.toDF.registerTempTable(\\\"gr\\\")\", context);\n } else {\n repl.interpret(\"gr.registerTempTable(\\\"gr\\\")\", context);\n }\n\n InterpreterResult ret = sql.interpret(\"select * from gr\", context);\n assertEquals(InterpreterResult.Code.SUCCESS, ret.code());\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lmco/eurekastreams | java | server/src/main/java/org/eurekastreams/commons/search/LuceneFieldBooster.java | server/src/test/java/org/eurekastreams/commons/search/LuceneFieldBoosterTest.java | public String boostField(final String inFormatString, final String fieldName, final int weight)
{
if (!allowableBoostFields.contains(fieldName))
{
throw new InvalidParameterException("The input field name is not in the list of allowed fields.");
}
String formatString = inFormatString;
Pattern searchPattern = Pattern.compile(fieldName + ":\\(%1\\$s\\)(\\^[0-9]+)?");
Matcher patternMatcher = searchPattern.matcher(formatString);
if (patternMatcher.find())
{
formatString = patternMatcher.replaceFirst(fieldName + ":(%1\\$s)^" + weight);
}
else
{
formatString += " " + fieldName + ":(%1$s)^" + weight;
}
return formatString;
} | boostField | @Test(expected = InvalidParameterException.class)
public final void testDisallowedFieldBoost()
{
String searchFormat = "somefield:(%1$s) fieldwithweight:(%1$s)^5 superfield:(%1$s)^8797";
sut.boostField(searchFormat, "notAllowed", Integer.parseInt("10"));
} | testDisallowedFieldBoost | [
"contains",
"compile",
"matcher",
"find",
"replaceFirst"
] | [
"boostField",
"parseInt"
] | {
"class_fields": "private List<String> allowableFields;\nprivate LuceneFieldBooster sut;",
"class_name": "LuceneFieldBoosterTest"
} | {
"class_fields": "private List<String> allowableBoostFields;",
"class_name": "LuceneFieldBooster",
"method_signatures": "public void setAllowableBoostFields(final List<String> inAllowableBoostFields)\npublic String boostField(final String inFormatString, final String fieldName, final int weight)"
} | [
{
"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: server/src/main/java/org/eurekastreams/commons/search/LuceneFieldBooster.java for which to generate the test case is:\nclass_name: LuceneFieldBooster\n\nclass_fields: private List<String> allowableBoostFields;\n\nmethod_signatures: public void setAllowableBoostFields(final List<String> inAllowableBoostFields)\npublic String boostField(final String inFormatString, final String fieldName, final int weight)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: LuceneFieldBoosterTest\n\nclass_fields: private List<String> allowableFields;\nprivate LuceneFieldBooster sut;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file server/src/main/java/org/eurekastreams/commons/search/LuceneFieldBooster.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public String boostField(final String inFormatString, final String fieldName, final int weight)\n {\n if (!allowableBoostFields.contains(fieldName))\n {\n throw new InvalidParameterException(\"The input field name is not in the list of allowed fields.\");\n }\n\n String formatString = inFormatString;\n\n Pattern searchPattern = Pattern.compile(fieldName + \":\\\\(%1\\\\$s\\\\)(\\\\^[0-9]+)?\");\n\n Matcher patternMatcher = searchPattern.matcher(formatString);\n\n if (patternMatcher.find())\n {\n formatString = patternMatcher.replaceFirst(fieldName + \":(%1\\\\$s)^\" + weight);\n }\n else\n {\n formatString += \" \" + fieldName + \":(%1$s)^\" + weight;\n }\n\n return formatString;\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 server/src/test/java/org/eurekastreams/commons/search/LuceneFieldBoosterTest.java\n </TESTFILE7041>\n @Test(expected = InvalidParameterException.class)\n public final void testDisallowedFieldBoost()\n {\n String searchFormat = \"somefield:(%1$s) fieldwithweight:(%1$s)^5 superfield:(%1$s)^8797\";\n sut.boostField(searchFormat, \"notAllowed\", Integer.parseInt(\"10\"));\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lmco/eurekastreams | java | server/src/main/java/org/eurekastreams/server/action/execution/profile/GetCurrentUserFollowingStatusExecution.java | server/src/test/java/org/eurekastreams/server/action/execution/profile/GetCurrentUserFollowingStatusExecutionTest.java | @Override
public Serializable execute(final PrincipalActionContext inActionContext)
{
// get the request.
GetCurrentUserFollowingStatusRequest inRequest = (GetCurrentUserFollowingStatusRequest) inActionContext
.getParams();
// get the user's account id.
final Principal principal = inActionContext.getPrincipal();
final String accountId = principal.getAccountId();
final Long userId = principal.getId();
// the followed entity's account id.
String followedEntityId = inRequest.getFollowedEntityId();
// the followed entity's entity type.
final EntityType entityType = inRequest.getEntityType();
if (log.isTraceEnabled())
{
log.trace("Checking the following status for the user " + accountId + " following " + followedEntityId
+ " of entity type " + entityType.toString());
}
// if open social id was passed for person, convert to acct. id. else entityId is an accountId
if (followedEntityId.matches(openSocialPattern) && entityType == EntityType.PERSON)
{
followedEntityId = getPeopleByOpenSocialIdsMapper.fetchUniqueResult(followedEntityId).getAccountId();
}
// if not logged in or trying to follow yourself, disable.
if (accountId == null || (accountId.equalsIgnoreCase(followedEntityId) && entityType == EntityType.PERSON))
{
return Follower.FollowerStatus.DISABLED;
}
Follower.FollowerStatus status = Follower.FollowerStatus.DISABLED;
if (EntityType.PERSON == entityType)
{
status = isUserFollowingUser(userId, followedEntityId);
}
else if (EntityType.GROUP == entityType)
{
status = isUserFollowingGroup(userId, followedEntityId);
}
return status;
} | execute | @Test
@SuppressWarnings("unchecked")
public void testAccountIdEntityIdIsPersonNotSameIsFollowing() throws Exception
{
context.checking(new Expectations()
{
{
oneOf(actionContext).getParams();
will(returnValue(getCurrentUserFollowingStatusRequest));
oneOf(actionContext).getPrincipal();
will(returnValue(principal));
oneOf(principal).getAccountId();
will(returnValue(CURRENT_USER));
oneOf(principal).getId();
will(returnValue(CURRENT_USER_ID));
oneOf(getCurrentUserFollowingStatusRequest).getFollowedEntityId();
will(returnValue(TARGET_USER));
oneOf(getCurrentUserFollowingStatusRequest).getEntityType();
will(returnValue(EntityType.PERSON));
PersonModelView target = new PersonModelView();
target.setEntityId(TARGET_USER_ID);
oneOf(getPersonModelViewsByAccountIdsMapper).execute(with(any(List.class)));
will(returnValue(Collections.singletonList(target)));
oneOf(getFollowerIds).execute(TARGET_USER_ID);
will(returnValue(Collections.singletonList(CURRENT_USER_ID)));
}
});
assertEquals(sut.execute(actionContext), Follower.FollowerStatus.FOLLOWING);
context.assertIsSatisfied();
} | testAccountIdEntityIdIsPersonNotSameIsFollowing | [
"getParams",
"getPrincipal",
"getAccountId",
"getId",
"getFollowedEntityId",
"getEntityType",
"isTraceEnabled",
"trace",
"toString",
"matches",
"getAccountId",
"fetchUniqueResult",
"equalsIgnoreCase",
"isUserFollowingUser",
"isUserFollowingGroup"
] | [
"checking",
"getParams",
"oneOf",
"will",
"returnValue",
"getPrincipal",
"oneOf",
"will",
"returnValue",
"getAccountId",
"oneOf",
"will",
"returnValue",
"getId",
"oneOf",
"will",
"returnValue",
"getFollowedEntityId",
"oneOf",
"will",
"returnValue",
"getEntityType",
"oneOf",
"will",
"returnValue",
"setEntityId",
"execute",
"oneOf",
"with",
"any",
"will",
"returnValue",
"singletonList",
"execute",
"oneOf",
"will",
"returnValue",
"singletonList",
"assertEquals",
"execute",
"assertIsSatisfied"
] | {
"class_fields": "private final Mockery context = new JUnit4Mockery()\n {\n {\n setImposteriser(ClassImposteriser.INSTANCE);\n }\n };\nprivate PrincipalActionContext actionContext = context.mock(PrincipalActionContext.class);\nprivate Principal principal = context.mock(Principal.class);\nprivate DomainMapper<Long, List<Long>> getGroupFollowerIds = context\n .mock(DomainMapper.class, \"getGroupFollowerIds\");\nprivate DomainMapper<Long, List<Long>> getFollowerIds = context.mock(DomainMapper.class, \"getFollowerIds\");\nprivate GetDomainGroupsByShortNames getDomainGroupsByShortNames = context.mock(GetDomainGroupsByShortNames.class);\nprivate DomainMapper<List<String>, List<PersonModelView>> getPersonModelViewsByAccountIdsMapper = context\n .mock(DomainMapper.class);\nprivate GetCurrentUserFollowingStatusRequest getCurrentUserFollowingStatusRequest = context\n .mock(GetCurrentUserFollowingStatusRequest.class);\nprivate GetPeopleByOpenSocialIds getPeopleByOpenSocialIdsMapper = context.mock(GetPeopleByOpenSocialIds.class);\nprivate String openSocialRegEx = \"\\\\w{8}-\\\\w{4}-\\\\w{4}-\\\\w{4}-\\\\w{12}\";\nprivate GetCurrentUserFollowingStatusExecution sut;\nprivate static final String CURRENT_USER = \"currentuser\";\nprivate static final long CURRENT_USER_ID = 123;\nprivate static final String TARGET_USER_OPENSOCIAL_ID = \"2d359911-0977-418a-9490-57e8252b1a56\";\nprivate static final String TARGET_USER = \"targetuser\";\nprivate static final long TARGET_USER_ID = 456;\nprivate static final String TARGET_GROUP = \"targetgroup\";\nprivate static final long TARGET_GROUP_ID = 789;\nprivate PersonModelView targetUser = context.mock(PersonModelView.class);",
"class_name": "GetCurrentUserFollowingStatusExecutionTest"
} | {
"class_fields": "private Log log = LogFactory.make();\nprivate GetPeopleByOpenSocialIds getPeopleByOpenSocialIdsMapper;\nprivate DomainMapper<Long, List<Long>> groupFollowerIdsMapper;\nprivate DomainMapper<Long, List<Long>> followerIdsMapper;\nprivate GetDomainGroupsByShortNames groupsByNameMapper;\nprivate DomainMapper<List<String>, List<PersonModelView>> getPersonModelViewsByAccountIdsMapper;\nprivate String openSocialPattern;",
"class_name": "GetCurrentUserFollowingStatusExecution implements ExecutionStrategy<PrincipalActionContext>",
"method_signatures": "public GetCurrentUserFollowingStatusExecution(final GetPeopleByOpenSocialIds inGetPeopleByOpenSocialIdsMapper,\n final String inPattern, final DomainMapper<Long, List<Long>> inGroupFollowerIdsMapper,\n final DomainMapper<Long, List<Long>> inGollowerIdsMapper,\n final GetDomainGroupsByShortNames inGroupsByNameMapper,\n final DomainMapper<List<String>, List<PersonModelView>> inGetPersonModelViewsByAccountIdsMapper)\n@Override public Serializable execute(final PrincipalActionContext inActionContext)\nprivate Follower.FollowerStatus isUserFollowingGroup(final long userId, final String groupShortName)\nprivate Follower.FollowerStatus isUserFollowingUser(final long userId, final String personAccountId)"
} | [
{
"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: server/src/main/java/org/eurekastreams/server/action/execution/profile/GetCurrentUserFollowingStatusExecution.java for which to generate the test case is:\nclass_name: GetCurrentUserFollowingStatusExecution implements ExecutionStrategy<PrincipalActionContext>\n\nclass_fields: private Log log = LogFactory.make();\nprivate GetPeopleByOpenSocialIds getPeopleByOpenSocialIdsMapper;\nprivate DomainMapper<Long, List<Long>> groupFollowerIdsMapper;\nprivate DomainMapper<Long, List<Long>> followerIdsMapper;\nprivate GetDomainGroupsByShortNames groupsByNameMapper;\nprivate DomainMapper<List<String>, List<PersonModelView>> getPersonModelViewsByAccountIdsMapper;\nprivate String openSocialPattern;\n\nmethod_signatures: public GetCurrentUserFollowingStatusExecution(final GetPeopleByOpenSocialIds inGetPeopleByOpenSocialIdsMapper,\n final String inPattern, final DomainMapper<Long, List<Long>> inGroupFollowerIdsMapper,\n final DomainMapper<Long, List<Long>> inGollowerIdsMapper,\n final GetDomainGroupsByShortNames inGroupsByNameMapper,\n final DomainMapper<List<String>, List<PersonModelView>> inGetPersonModelViewsByAccountIdsMapper)\n@Override public Serializable execute(final PrincipalActionContext inActionContext)\nprivate Follower.FollowerStatus isUserFollowingGroup(final long userId, final String groupShortName)\nprivate Follower.FollowerStatus isUserFollowingUser(final long userId, final String personAccountId)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: GetCurrentUserFollowingStatusExecutionTest\n\nclass_fields: private final Mockery context = new JUnit4Mockery()\n {\n {\n setImposteriser(ClassImposteriser.INSTANCE);\n }\n };\nprivate PrincipalActionContext actionContext = context.mock(PrincipalActionContext.class);\nprivate Principal principal = context.mock(Principal.class);\nprivate DomainMapper<Long, List<Long>> getGroupFollowerIds = context\n .mock(DomainMapper.class, \"getGroupFollowerIds\");\nprivate DomainMapper<Long, List<Long>> getFollowerIds = context.mock(DomainMapper.class, \"getFollowerIds\");\nprivate GetDomainGroupsByShortNames getDomainGroupsByShortNames = context.mock(GetDomainGroupsByShortNames.class);\nprivate DomainMapper<List<String>, List<PersonModelView>> getPersonModelViewsByAccountIdsMapper = context\n .mock(DomainMapper.class);\nprivate GetCurrentUserFollowingStatusRequest getCurrentUserFollowingStatusRequest = context\n .mock(GetCurrentUserFollowingStatusRequest.class);\nprivate GetPeopleByOpenSocialIds getPeopleByOpenSocialIdsMapper = context.mock(GetPeopleByOpenSocialIds.class);\nprivate String openSocialRegEx = \"\\\\w{8}-\\\\w{4}-\\\\w{4}-\\\\w{4}-\\\\w{12}\";\nprivate GetCurrentUserFollowingStatusExecution sut;\nprivate static final String CURRENT_USER = \"currentuser\";\nprivate static final long CURRENT_USER_ID = 123;\nprivate static final String TARGET_USER_OPENSOCIAL_ID = \"2d359911-0977-418a-9490-57e8252b1a56\";\nprivate static final String TARGET_USER = \"targetuser\";\nprivate static final long TARGET_USER_ID = 456;\nprivate static final String TARGET_GROUP = \"targetgroup\";\nprivate static final long TARGET_GROUP_ID = 789;\nprivate PersonModelView targetUser = context.mock(PersonModelView.class);\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file server/src/main/java/org/eurekastreams/server/action/execution/profile/GetCurrentUserFollowingStatusExecution.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public Serializable execute(final PrincipalActionContext inActionContext)\n {\n // get the request.\n GetCurrentUserFollowingStatusRequest inRequest = (GetCurrentUserFollowingStatusRequest) inActionContext\n .getParams();\n\n // get the user's account id.\n final Principal principal = inActionContext.getPrincipal();\n final String accountId = principal.getAccountId();\n final Long userId = principal.getId();\n\n // the followed entity's account id.\n String followedEntityId = inRequest.getFollowedEntityId();\n\n // the followed entity's entity type.\n final EntityType entityType = inRequest.getEntityType();\n\n if (log.isTraceEnabled())\n {\n log.trace(\"Checking the following status for the user \" + accountId + \" following \" + followedEntityId\n + \" of entity type \" + entityType.toString());\n }\n\n // if open social id was passed for person, convert to acct. id. else entityId is an accountId\n if (followedEntityId.matches(openSocialPattern) && entityType == EntityType.PERSON)\n {\n followedEntityId = getPeopleByOpenSocialIdsMapper.fetchUniqueResult(followedEntityId).getAccountId();\n }\n\n // if not logged in or trying to follow yourself, disable.\n if (accountId == null || (accountId.equalsIgnoreCase(followedEntityId) && entityType == EntityType.PERSON))\n {\n return Follower.FollowerStatus.DISABLED;\n }\n\n Follower.FollowerStatus status = Follower.FollowerStatus.DISABLED;\n\n if (EntityType.PERSON == entityType)\n {\n status = isUserFollowingUser(userId, followedEntityId);\n }\n else if (EntityType.GROUP == entityType)\n {\n status = isUserFollowingGroup(userId, followedEntityId);\n }\n\n return status;\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 server/src/test/java/org/eurekastreams/server/action/execution/profile/GetCurrentUserFollowingStatusExecutionTest.java\n </TESTFILE7041>\n @Test\n @SuppressWarnings(\"unchecked\")\n public void testAccountIdEntityIdIsPersonNotSameIsFollowing() throws Exception\n {\n context.checking(new Expectations()\n {\n {\n oneOf(actionContext).getParams();\n will(returnValue(getCurrentUserFollowingStatusRequest));\n\n oneOf(actionContext).getPrincipal();\n will(returnValue(principal));\n\n oneOf(principal).getAccountId();\n will(returnValue(CURRENT_USER));\n\n oneOf(principal).getId();\n will(returnValue(CURRENT_USER_ID));\n\n oneOf(getCurrentUserFollowingStatusRequest).getFollowedEntityId();\n will(returnValue(TARGET_USER));\n\n oneOf(getCurrentUserFollowingStatusRequest).getEntityType();\n will(returnValue(EntityType.PERSON));\n\n PersonModelView target = new PersonModelView();\n target.setEntityId(TARGET_USER_ID);\n oneOf(getPersonModelViewsByAccountIdsMapper).execute(with(any(List.class)));\n will(returnValue(Collections.singletonList(target)));\n\n oneOf(getFollowerIds).execute(TARGET_USER_ID);\n will(returnValue(Collections.singletonList(CURRENT_USER_ID)));\n }\n });\n\n assertEquals(sut.execute(actionContext), Follower.FollowerStatus.FOLLOWING);\n context.assertIsSatisfied();\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/apache/fineract-cn-portfolio | java | service/src/main/java/org/apache/fineract/cn/individuallending/internal/service/schedule/ChargeRange.java | service/src/test/java/org/apache/fineract/cn/individuallending/internal/service/schedule/ChargeRangeTest.java | public boolean amountIsWithinRange(final BigDecimal amountProportionalTo) {
return to.map(bigDecimal -> from.compareTo(amountProportionalTo) <= 0 &&
bigDecimal.compareTo(amountProportionalTo) > 0)
.orElseGet(() -> from.compareTo(amountProportionalTo) <= 0);
} | amountIsWithinRange | @Test
public void amountIsWithinRange() throws Exception {
final ChargeRange testSubject1 = new ChargeRange(BigDecimal.TEN, Optional.empty());
Assert.assertFalse(testSubject1.amountIsWithinRange(BigDecimal.ZERO));
Assert.assertFalse(testSubject1.amountIsWithinRange(BigDecimal.ONE));
Assert.assertTrue(testSubject1.amountIsWithinRange(BigDecimal.TEN));
Assert.assertTrue(testSubject1.amountIsWithinRange(BigDecimal.TEN.add(BigDecimal.ONE)));
final ChargeRange testSubject2 = new ChargeRange(BigDecimal.ZERO, Optional.of(BigDecimal.TEN));
Assert.assertTrue(testSubject2.amountIsWithinRange(BigDecimal.ZERO));
Assert.assertTrue(testSubject2.amountIsWithinRange(BigDecimal.ONE));
Assert.assertFalse(testSubject2.amountIsWithinRange(BigDecimal.TEN));
Assert.assertFalse(testSubject2.amountIsWithinRange(BigDecimal.TEN.add(BigDecimal.ONE)));
} | amountIsWithinRange | [
"orElseGet",
"map",
"compareTo",
"compareTo",
"compareTo"
] | [
"empty",
"assertFalse",
"amountIsWithinRange",
"assertFalse",
"amountIsWithinRange",
"assertTrue",
"amountIsWithinRange",
"assertTrue",
"amountIsWithinRange",
"add",
"of",
"assertTrue",
"amountIsWithinRange",
"assertTrue",
"amountIsWithinRange",
"assertFalse",
"amountIsWithinRange",
"assertFalse",
"amountIsWithinRange",
"add"
] | {
"class_fields": "",
"class_name": "ChargeRangeTest"
} | {
"class_fields": "final private BigDecimal from;\n@SuppressWarnings(\"OptionalUsedAsFieldOrParameterType\")\n final private Optional<BigDecimal> to;",
"class_name": "ChargeRange",
"method_signatures": "ChargeRange(\n final BigDecimal from,\n @SuppressWarnings(\"OptionalUsedAsFieldOrParameterType\") final Optional<BigDecimal> to)\npublic boolean amountIsWithinRange(final BigDecimal amountProportionalTo)\n@Override public boolean equals(Object o)\n@Override public int hashCode()\n@Override public String toString()"
} | [
{
"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: service/src/main/java/org/apache/fineract/cn/individuallending/internal/service/schedule/ChargeRange.java for which to generate the test case is:\nclass_name: ChargeRange\n\nclass_fields: final private BigDecimal from;\n@SuppressWarnings(\"OptionalUsedAsFieldOrParameterType\")\n final private Optional<BigDecimal> to;\n\nmethod_signatures: ChargeRange(\n final BigDecimal from,\n @SuppressWarnings(\"OptionalUsedAsFieldOrParameterType\") final Optional<BigDecimal> to)\npublic boolean amountIsWithinRange(final BigDecimal amountProportionalTo)\n@Override public boolean equals(Object o)\n@Override public int hashCode()\n@Override public String toString()\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: ChargeRangeTest\n\nclass_fields: \n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file service/src/main/java/org/apache/fineract/cn/individuallending/internal/service/schedule/ChargeRange.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public boolean amountIsWithinRange(final BigDecimal amountProportionalTo) {\n return to.map(bigDecimal -> from.compareTo(amountProportionalTo) <= 0 &&\n bigDecimal.compareTo(amountProportionalTo) > 0)\n .orElseGet(() -> from.compareTo(amountProportionalTo) <= 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 service/src/test/java/org/apache/fineract/cn/individuallending/internal/service/schedule/ChargeRangeTest.java\n </TESTFILE7041>\n @Test\n public void amountIsWithinRange() throws Exception {\n final ChargeRange testSubject1 = new ChargeRange(BigDecimal.TEN, Optional.empty());\n Assert.assertFalse(testSubject1.amountIsWithinRange(BigDecimal.ZERO));\n Assert.assertFalse(testSubject1.amountIsWithinRange(BigDecimal.ONE));\n Assert.assertTrue(testSubject1.amountIsWithinRange(BigDecimal.TEN));\n Assert.assertTrue(testSubject1.amountIsWithinRange(BigDecimal.TEN.add(BigDecimal.ONE)));\n\n final ChargeRange testSubject2 = new ChargeRange(BigDecimal.ZERO, Optional.of(BigDecimal.TEN));\n Assert.assertTrue(testSubject2.amountIsWithinRange(BigDecimal.ZERO));\n Assert.assertTrue(testSubject2.amountIsWithinRange(BigDecimal.ONE));\n Assert.assertFalse(testSubject2.amountIsWithinRange(BigDecimal.TEN));\n Assert.assertFalse(testSubject2.amountIsWithinRange(BigDecimal.TEN.add(BigDecimal.ONE)));\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lorthos/incubator-zeppelin-druid | java | hive/src/main/java/org/apache/zeppelin/hive/HiveInterpreter.java | hive/src/test/java/org/apache/zeppelin/hive/HiveInterpreterTest.java | public String getPropertyKey(String cmd) {
int firstLineIndex = cmd.indexOf("\n");
if (-1 == firstLineIndex) {
firstLineIndex = cmd.length();
}
int configStartIndex = cmd.indexOf("(");
int configLastIndex = cmd.indexOf(")");
if (configStartIndex != -1 && configLastIndex != -1
&& configLastIndex < firstLineIndex && configLastIndex < firstLineIndex) {
return cmd.substring(configStartIndex + 1, configLastIndex);
}
return null;
} | getPropertyKey | @Test
public void getPropertyKey() {
HiveInterpreter hi = new HiveInterpreter(new Properties());
hi.open();
String testCommand = "(default)\nshow tables";
assertEquals("get key of default", "default", hi.getPropertyKey(testCommand));
testCommand = "(default) show tables";
assertEquals("get key of default", "default", hi.getPropertyKey(testCommand));
hi.close();
} | getPropertyKey | [
"indexOf",
"length",
"indexOf",
"indexOf",
"substring"
] | [
"open",
"assertEquals",
"getPropertyKey",
"assertEquals",
"getPropertyKey",
"close"
] | {
"class_fields": "static String jdbcConnection;",
"class_name": "HiveInterpreterTest"
} | {
"class_fields": "Logger logger = LoggerFactory.getLogger(HiveInterpreter.class);\nstatic final String COMMON_KEY = \"common\";\nstatic final String MAX_LINE_KEY = \"max_count\";\nstatic final String MAX_LINE_DEFAULT = \"1000\";\nstatic final String DEFAULT_KEY = \"default\";\nstatic final String DRIVER_KEY = \"driver\";\nstatic final String URL_KEY = \"url\";\nstatic final String USER_KEY = \"user\";\nstatic final String PASSWORD_KEY = \"password\";\nstatic final String DOT = \".\";\nstatic final char TAB = '\\t';\nstatic final char NEWLINE = '\\n';\nstatic final String EXPLAIN_PREDICATE = \"EXPLAIN \";\nstatic final String TABLE_MAGIC_TAG = \"%table \";\nstatic final String UPDATE_COUNT_HEADER = \"Update Count\";\nstatic final String COMMON_MAX_LINE = COMMON_KEY + DOT + MAX_LINE_KEY;\nstatic final String DEFAULT_DRIVER = DEFAULT_KEY + DOT + DRIVER_KEY;\nstatic final String DEFAULT_URL = DEFAULT_KEY + DOT + URL_KEY;\nstatic final String DEFAULT_USER = DEFAULT_KEY + DOT + USER_KEY;\nstatic final String DEFAULT_PASSWORD = DEFAULT_KEY + DOT + PASSWORD_KEY;\nprivate final HashMap<String, Properties> propertiesMap;\nprivate final Map<String, Statement> paragraphIdStatementMap;\nprivate final Map<String, ArrayList<Connection>> propertyKeyUnusedConnectionListMap;\nprivate final Map<String, Connection> paragraphIdConnectionMap;",
"class_name": "HiveInterpreter extends Interpreter",
"method_signatures": "public HiveInterpreter(Properties property)\npublic HashMap<String, Properties> getPropertiesMap()\n@Override public void open()\n@Override public void close()\npublic Connection getConnection(String propertyKey)\npublic Statement getStatement(String propertyKey, String paragraphId)\nprivate boolean isStatementClosed(Statement statement)\npublic InterpreterResult executeSql(String propertyKey, String sql,\n InterpreterContext interpreterContext)\nprivate void moveConnectionToUnused(String propertyKey, String paragraphId)\n@Override public InterpreterResult interpret(String cmd, InterpreterContext contextInterpreter)\nprivate int getMaxResult()\npublic String getPropertyKey(String cmd)\n@Override public void cancel(InterpreterContext context)\n@Override public FormType getFormType()\n@Override public int getProgress(InterpreterContext context)\n@Override public Scheduler getScheduler()\n@Override public List<String> completion(String buf, int cursor)"
} | [
{
"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: hive/src/main/java/org/apache/zeppelin/hive/HiveInterpreter.java for which to generate the test case is:\nclass_name: HiveInterpreter extends Interpreter\n\nclass_fields: Logger logger = LoggerFactory.getLogger(HiveInterpreter.class);\nstatic final String COMMON_KEY = \"common\";\nstatic final String MAX_LINE_KEY = \"max_count\";\nstatic final String MAX_LINE_DEFAULT = \"1000\";\nstatic final String DEFAULT_KEY = \"default\";\nstatic final String DRIVER_KEY = \"driver\";\nstatic final String URL_KEY = \"url\";\nstatic final String USER_KEY = \"user\";\nstatic final String PASSWORD_KEY = \"password\";\nstatic final String DOT = \".\";\nstatic final char TAB = '\\t';\nstatic final char NEWLINE = '\\n';\nstatic final String EXPLAIN_PREDICATE = \"EXPLAIN \";\nstatic final String TABLE_MAGIC_TAG = \"%table \";\nstatic final String UPDATE_COUNT_HEADER = \"Update Count\";\nstatic final String COMMON_MAX_LINE = COMMON_KEY + DOT + MAX_LINE_KEY;\nstatic final String DEFAULT_DRIVER = DEFAULT_KEY + DOT + DRIVER_KEY;\nstatic final String DEFAULT_URL = DEFAULT_KEY + DOT + URL_KEY;\nstatic final String DEFAULT_USER = DEFAULT_KEY + DOT + USER_KEY;\nstatic final String DEFAULT_PASSWORD = DEFAULT_KEY + DOT + PASSWORD_KEY;\nprivate final HashMap<String, Properties> propertiesMap;\nprivate final Map<String, Statement> paragraphIdStatementMap;\nprivate final Map<String, ArrayList<Connection>> propertyKeyUnusedConnectionListMap;\nprivate final Map<String, Connection> paragraphIdConnectionMap;\n\nmethod_signatures: public HiveInterpreter(Properties property)\npublic HashMap<String, Properties> getPropertiesMap()\n@Override public void open()\n@Override public void close()\npublic Connection getConnection(String propertyKey)\npublic Statement getStatement(String propertyKey, String paragraphId)\nprivate boolean isStatementClosed(Statement statement)\npublic InterpreterResult executeSql(String propertyKey, String sql,\n InterpreterContext interpreterContext)\nprivate void moveConnectionToUnused(String propertyKey, String paragraphId)\n@Override public InterpreterResult interpret(String cmd, InterpreterContext contextInterpreter)\nprivate int getMaxResult()\npublic String getPropertyKey(String cmd)\n@Override public void cancel(InterpreterContext context)\n@Override public FormType getFormType()\n@Override public int getProgress(InterpreterContext context)\n@Override public Scheduler getScheduler()\n@Override public List<String> completion(String buf, int cursor)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: HiveInterpreterTest\n\nclass_fields: static String jdbcConnection;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file hive/src/main/java/org/apache/zeppelin/hive/HiveInterpreter.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public String getPropertyKey(String cmd) {\n int firstLineIndex = cmd.indexOf(\"\\n\");\n if (-1 == firstLineIndex) {\n firstLineIndex = cmd.length();\n }\n int configStartIndex = cmd.indexOf(\"(\");\n int configLastIndex = cmd.indexOf(\")\");\n if (configStartIndex != -1 && configLastIndex != -1\n && configLastIndex < firstLineIndex && configLastIndex < firstLineIndex) {\n return cmd.substring(configStartIndex + 1, configLastIndex);\n }\n return null;\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 hive/src/test/java/org/apache/zeppelin/hive/HiveInterpreterTest.java\n </TESTFILE7041>\n @Test\n public void getPropertyKey() {\n HiveInterpreter hi = new HiveInterpreter(new Properties());\n hi.open();\n String testCommand = \"(default)\\nshow tables\";\n assertEquals(\"get key of default\", \"default\", hi.getPropertyKey(testCommand));\n testCommand = \"(default) show tables\";\n assertEquals(\"get key of default\", \"default\", hi.getPropertyKey(testCommand));\n hi.close();\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/apache/fineract-cn-portfolio | java | service/src/main/java/org/apache/fineract/cn/portfolio/service/internal/command/handler/ProductCommandHandler.java | service/src/test/java/org/apache/fineract/cn/portfolio/service/internal/command/handler/ProductCommandHandlerTest.java | static void createAndAssignProductLossAllowanceAccountIfNecessary(
final ProductEntity productEntity,
final AccountingAdapter accountingAdapter) {
final Map<String, ProductAccountAssignmentEntity> accountAssignmentEntityMap
= productEntity.getAccountAssignments().stream()
.collect(Collectors.toMap(ProductAccountAssignmentEntity::getDesignator, Function.identity()));
final Optional<ProductAccountAssignmentEntity> productLossAllowanceMapping
= Optional.ofNullable(accountAssignmentEntityMap.get(AccountDesignators.PRODUCT_LOSS_ALLOWANCE));
final boolean productLossAccountIsMappedToAccount = productLossAllowanceMapping
.map(x -> x.getType() == AccountingAdapter.IdentifierType.ACCOUNT)
.orElse(false);
if (productLossAccountIsMappedToAccount)
return; //Already done.
final boolean productLossAccountIsMappedToLedger = productLossAllowanceMapping
.map(x -> x.getType() == AccountingAdapter.IdentifierType.LEDGER)
.orElse(false);
if (productLossAccountIsMappedToLedger)
throw ServiceException.conflict("Not ready to enable product ''{0}''. The account assignment for product loss allowance is mapped to a ledger.",
productEntity.getIdentifier());
final String loanPrincipalLedgerMapping
= Optional.ofNullable(accountAssignmentEntityMap.get(AccountDesignators.CUSTOMER_LOAN_PRINCIPAL))
.flatMap(x -> {
if (x.getType() != AccountingAdapter.IdentifierType.LEDGER)
return Optional.empty();
else
return Optional.of(x.getIdentifier());
})
.orElseThrow(() ->
ServiceException.conflict("Not ready to enable product ''{0}''. The customer loan principal account is not mapped to a ledger.",
productEntity.getIdentifier()));
final String accountIdentifier = accountingAdapter.createProductAccountForLedgerAssignment(
productEntity.getIdentifier(),
AccountDesignators.PRODUCT_LOSS_ALLOWANCE,
loanPrincipalLedgerMapping);
final AccountAssignment productLossAccountAssignment = new AccountAssignment(AccountDesignators.PRODUCT_LOSS_ALLOWANCE, accountIdentifier);
productEntity.getAccountAssignments().add(ProductMapper.map(productLossAccountAssignment, productEntity));
} | createAndAssignProductLossAllowanceAccountIfNecessary | @Test(expected = ServiceException.class)
public void shouldThrowWhenPrincipalAccountAssignmentMissingOnCreateAndAssignProductLossAllowanceAccountIfNecessary() {
final Set<ProductAccountAssignmentEntity> accountAssignments = new HashSet<>();
final ProductEntity productEntity = new ProductEntity();
productEntity.setId(20L);
productEntity.setIdentifier("productxyz");
productEntity.setAccountAssignments(accountAssignments);
ProductCommandHandler.createAndAssignProductLossAllowanceAccountIfNecessary(productEntity, null);
} | shouldThrowWhenPrincipalAccountAssignmentMissingOnCreateAndAssignProductLossAllowanceAccountIfNecessary | [
"collect",
"stream",
"getAccountAssignments",
"toMap",
"identity",
"ofNullable",
"get",
"orElse",
"map",
"getType",
"orElse",
"map",
"getType",
"conflict",
"getIdentifier",
"orElseThrow",
"flatMap",
"ofNullable",
"get",
"getType",
"empty",
"of",
"getIdentifier",
"conflict",
"getIdentifier",
"createProductAccountForLedgerAssignment",
"getIdentifier",
"add",
"getAccountAssignments",
"map"
] | [
"setId",
"setIdentifier",
"setAccountAssignments",
"createAndAssignProductLossAllowanceAccountIfNecessary"
] | {
"class_fields": "",
"class_name": "ProductCommandHandlerTest"
} | {
"class_fields": "private final PatternFactoryRegistry patternFactoryRegistry;\nprivate final CaseRepository caseRepository;\nprivate final ProductRepository productRepository;\nprivate final ChargeDefinitionRepository chargeDefinitionRepository;\nprivate final AccountingAdapter accountingAdapter;",
"class_name": "ProductCommandHandler",
"method_signatures": "@Autowired public ProductCommandHandler(\n final PatternFactoryRegistry patternFactoryRegistry,\n final CaseRepository caseRepository,\n final ProductRepository productRepository,\n final ChargeDefinitionRepository chargeDefinitionRepository,\n final AccountingAdapter accountingAdapter)\n@Transactional @CommandHandler(logStart = CommandLogLevel.INFO, logFinish = CommandLogLevel.INFO) @EventEmitter(selectorName = EventConstants.SELECTOR_NAME, selectorValue = EventConstants.POST_PRODUCT) public String process(final CreateProductCommand createProductCommand)\nprivate void createChargeDefinition(final ProductEntity productEntity, final ChargeDefinition chargeDefinition)\n@Transactional @CommandHandler(logStart = CommandLogLevel.INFO, logFinish = CommandLogLevel.INFO) @EventEmitter(selectorName = EventConstants.SELECTOR_NAME, selectorValue = EventConstants.PUT_PRODUCT) public String process(final ChangeProductCommand changeProductCommand)\n@Transactional @CommandHandler(logStart = CommandLogLevel.INFO, logFinish = CommandLogLevel.INFO) @EventEmitter(selectorName = EventConstants.SELECTOR_NAME, selectorValue = EventConstants.DELETE_PRODUCT) public String process(final DeleteProductCommand deleteProductCommand)\n@Transactional @CommandHandler(logStart = CommandLogLevel.INFO, logFinish = CommandLogLevel.INFO) @EventEmitter(selectorName = EventConstants.SELECTOR_NAME, selectorValue = EventConstants.PUT_PRODUCT_ENABLE) public String process(final ChangeEnablingOfProductCommand changeEnablingOfProductCommand)\nstatic void createAndAssignProductLossAllowanceAccountIfNecessary(\n final ProductEntity productEntity,\n final AccountingAdapter accountingAdapter)"
} | [
{
"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: service/src/main/java/org/apache/fineract/cn/portfolio/service/internal/command/handler/ProductCommandHandler.java for which to generate the test case is:\nclass_name: ProductCommandHandler\n\nclass_fields: private final PatternFactoryRegistry patternFactoryRegistry;\nprivate final CaseRepository caseRepository;\nprivate final ProductRepository productRepository;\nprivate final ChargeDefinitionRepository chargeDefinitionRepository;\nprivate final AccountingAdapter accountingAdapter;\n\nmethod_signatures: @Autowired public ProductCommandHandler(\n final PatternFactoryRegistry patternFactoryRegistry,\n final CaseRepository caseRepository,\n final ProductRepository productRepository,\n final ChargeDefinitionRepository chargeDefinitionRepository,\n final AccountingAdapter accountingAdapter)\n@Transactional @CommandHandler(logStart = CommandLogLevel.INFO, logFinish = CommandLogLevel.INFO) @EventEmitter(selectorName = EventConstants.SELECTOR_NAME, selectorValue = EventConstants.POST_PRODUCT) public String process(final CreateProductCommand createProductCommand)\nprivate void createChargeDefinition(final ProductEntity productEntity, final ChargeDefinition chargeDefinition)\n@Transactional @CommandHandler(logStart = CommandLogLevel.INFO, logFinish = CommandLogLevel.INFO) @EventEmitter(selectorName = EventConstants.SELECTOR_NAME, selectorValue = EventConstants.PUT_PRODUCT) public String process(final ChangeProductCommand changeProductCommand)\n@Transactional @CommandHandler(logStart = CommandLogLevel.INFO, logFinish = CommandLogLevel.INFO) @EventEmitter(selectorName = EventConstants.SELECTOR_NAME, selectorValue = EventConstants.DELETE_PRODUCT) public String process(final DeleteProductCommand deleteProductCommand)\n@Transactional @CommandHandler(logStart = CommandLogLevel.INFO, logFinish = CommandLogLevel.INFO) @EventEmitter(selectorName = EventConstants.SELECTOR_NAME, selectorValue = EventConstants.PUT_PRODUCT_ENABLE) public String process(final ChangeEnablingOfProductCommand changeEnablingOfProductCommand)\nstatic void createAndAssignProductLossAllowanceAccountIfNecessary(\n final ProductEntity productEntity,\n final AccountingAdapter accountingAdapter)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: ProductCommandHandlerTest\n\nclass_fields: \n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file service/src/main/java/org/apache/fineract/cn/portfolio/service/internal/command/handler/ProductCommandHandler.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n static void createAndAssignProductLossAllowanceAccountIfNecessary(\n final ProductEntity productEntity,\n final AccountingAdapter accountingAdapter) {\n final Map<String, ProductAccountAssignmentEntity> accountAssignmentEntityMap\n = productEntity.getAccountAssignments().stream()\n .collect(Collectors.toMap(ProductAccountAssignmentEntity::getDesignator, Function.identity()));\n final Optional<ProductAccountAssignmentEntity> productLossAllowanceMapping\n = Optional.ofNullable(accountAssignmentEntityMap.get(AccountDesignators.PRODUCT_LOSS_ALLOWANCE));\n\n final boolean productLossAccountIsMappedToAccount = productLossAllowanceMapping\n .map(x -> x.getType() == AccountingAdapter.IdentifierType.ACCOUNT)\n .orElse(false);\n if (productLossAccountIsMappedToAccount)\n return; //Already done.\n\n final boolean productLossAccountIsMappedToLedger = productLossAllowanceMapping\n .map(x -> x.getType() == AccountingAdapter.IdentifierType.LEDGER)\n .orElse(false);\n if (productLossAccountIsMappedToLedger)\n throw ServiceException.conflict(\"Not ready to enable product ''{0}''. The account assignment for product loss allowance is mapped to a ledger.\",\n productEntity.getIdentifier());\n\n final String loanPrincipalLedgerMapping\n = Optional.ofNullable(accountAssignmentEntityMap.get(AccountDesignators.CUSTOMER_LOAN_PRINCIPAL))\n .flatMap(x -> {\n if (x.getType() != AccountingAdapter.IdentifierType.LEDGER)\n return Optional.empty();\n else\n return Optional.of(x.getIdentifier());\n })\n .orElseThrow(() ->\n ServiceException.conflict(\"Not ready to enable product ''{0}''. The customer loan principal account is not mapped to a ledger.\",\n productEntity.getIdentifier()));\n\n final String accountIdentifier = accountingAdapter.createProductAccountForLedgerAssignment(\n productEntity.getIdentifier(),\n AccountDesignators.PRODUCT_LOSS_ALLOWANCE,\n loanPrincipalLedgerMapping);\n\n final AccountAssignment productLossAccountAssignment = new AccountAssignment(AccountDesignators.PRODUCT_LOSS_ALLOWANCE, accountIdentifier);\n productEntity.getAccountAssignments().add(ProductMapper.map(productLossAccountAssignment, productEntity));\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 service/src/test/java/org/apache/fineract/cn/portfolio/service/internal/command/handler/ProductCommandHandlerTest.java\n </TESTFILE7041>\n @Test(expected = ServiceException.class)\n public void shouldThrowWhenPrincipalAccountAssignmentMissingOnCreateAndAssignProductLossAllowanceAccountIfNecessary() {\n final Set<ProductAccountAssignmentEntity> accountAssignments = new HashSet<>();\n final ProductEntity productEntity = new ProductEntity();\n productEntity.setId(20L);\n productEntity.setIdentifier(\"productxyz\");\n productEntity.setAccountAssignments(accountAssignments);\n\n ProductCommandHandler.createAndAssignProductLossAllowanceAccountIfNecessary(productEntity, null);\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/apache/fineract-cn-portfolio | java | service/src/main/java/org/apache/fineract/cn/portfolio/service/internal/service/TaskDefinitionService.java | service/src/test/java/org/apache/fineract/cn/portfolio/service/internal/service/TaskDefinitionServiceTest.java | public Optional<TaskDefinition> findByIdentifier(final String productIdentifier, final String identifier) {
return taskDefinitionRepository
.findByProductIdAndTaskIdentifier(productIdentifier, identifier)
.map(TaskDefinitionMapper::map);
} | findByIdentifier | @Test
public void findByIdentifier()
{
findByIdentifierTestHelper(true, true);
findByIdentifierTestHelper(false, false);
} | findByIdentifier | [
"map",
"findByProductIdAndTaskIdentifier"
] | [
"findByIdentifierTestHelper",
"findByIdentifierTestHelper"
] | {
"class_fields": "",
"class_name": "TaskDefinitionServiceTest"
} | {
"class_fields": "private final TaskDefinitionRepository taskDefinitionRepository;",
"class_name": "TaskDefinitionService",
"method_signatures": "@Autowired public TaskDefinitionService(\n final TaskDefinitionRepository taskDefinitionRepository)\npublic List<TaskDefinition> findAllEntities(final String productIdentifier)\npublic Optional<TaskDefinition> findByIdentifier(final String productIdentifier, final String identifier)"
} | [
{
"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: service/src/main/java/org/apache/fineract/cn/portfolio/service/internal/service/TaskDefinitionService.java for which to generate the test case is:\nclass_name: TaskDefinitionService\n\nclass_fields: private final TaskDefinitionRepository taskDefinitionRepository;\n\nmethod_signatures: @Autowired public TaskDefinitionService(\n final TaskDefinitionRepository taskDefinitionRepository)\npublic List<TaskDefinition> findAllEntities(final String productIdentifier)\npublic Optional<TaskDefinition> findByIdentifier(final String productIdentifier, final String identifier)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: TaskDefinitionServiceTest\n\nclass_fields: \n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file service/src/main/java/org/apache/fineract/cn/portfolio/service/internal/service/TaskDefinitionService.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public Optional<TaskDefinition> findByIdentifier(final String productIdentifier, final String identifier) {\n return taskDefinitionRepository\n .findByProductIdAndTaskIdentifier(productIdentifier, identifier)\n .map(TaskDefinitionMapper::map);\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 service/src/test/java/org/apache/fineract/cn/portfolio/service/internal/service/TaskDefinitionServiceTest.java\n </TESTFILE7041>\n @Test\n public void findByIdentifier()\n {\n findByIdentifierTestHelper(true, true);\n findByIdentifierTestHelper(false, false);\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/apache/fineract-cn-portfolio | java | service/src/main/java/org/apache/fineract/cn/individuallending/internal/service/schedule/ScheduledActionHelpers.java | service/src/test/java/org/apache/fineract/cn/individuallending/internal/service/schedule/ScheduledActionHelpersTest.java | public static ScheduledAction getNextScheduledPayment(final @Nonnull LocalDate startOfTerm,
final @Nonnull LocalDate fromDate,
final @Nonnull LocalDate endOfTerm,
final @Nonnull CaseParameters caseParameters) {
final LocalDate effectiveEndOfTerm = fromDate.isAfter(endOfTerm) ? fromDate : endOfTerm;
return getHypotheticalScheduledActionsForDisbursedLoan(startOfTerm, effectiveEndOfTerm, caseParameters)
.filter(x -> x.getAction().equals(Action.ACCEPT_PAYMENT))
.filter(x -> x.actionIsOnOrAfter(fromDate))
.findFirst()
.orElseGet(() -> new ScheduledAction(Action.ACCEPT_PAYMENT, fromDate));
} | getNextScheduledPayment | @Test
public void getNextScheduledPayment() throws Exception {
final LocalDate roughEndDate = ScheduledActionHelpers.getRoughEndDate(testCase.initialDisbursementDate, testCase.caseParameters);
testCase.expectedResultContents.stream()
.filter(x -> x.getAction() == Action.ACCEPT_PAYMENT)
.forEach(expectedResultContents -> {
final ScheduledAction nextScheduledPayment = ScheduledActionHelpers.getNextScheduledPayment(
testCase.initialDisbursementDate,
expectedResultContents.getWhen().minusDays(1),
roughEndDate,
testCase.caseParameters);
Assert.assertEquals(expectedResultContents, nextScheduledPayment);
});
final ScheduledAction afterAction = ScheduledActionHelpers.getNextScheduledPayment(
testCase.initialDisbursementDate,
roughEndDate.plusDays(1),
roughEndDate,
testCase.caseParameters);
Assert.assertNotNull(afterAction.getActionPeriod());
Assert.assertTrue(afterAction.getActionPeriod().isLastPeriod());
} | getNextScheduledPayment | [
"isAfter",
"orElseGet",
"findFirst",
"filter",
"filter",
"getHypotheticalScheduledActionsForDisbursedLoan",
"equals",
"getAction",
"actionIsOnOrAfter"
] | [
"getRoughEndDate",
"forEach",
"filter",
"stream",
"getAction",
"getNextScheduledPayment",
"minusDays",
"getWhen",
"assertEquals",
"getNextScheduledPayment",
"plusDays",
"assertNotNull",
"getActionPeriod",
"assertTrue",
"isLastPeriod",
"getActionPeriod"
] | {
"class_fields": "private final TestCase testCase;",
"class_name": "ScheduledActionHelpersTest"
} | {
"class_fields": "",
"class_name": "ScheduledActionHelpers",
"method_signatures": "public static boolean actionHasNoActionPeriod(final Action action)\nprivate static Stream<Action> preTermActions()\nprivate static Stream<Action> postTermActions()\npublic static List<ScheduledAction> getHypotheticalScheduledActions(final @Nonnull LocalDate startOfTerm,\n final @Nonnull CaseParameters caseParameters)\npublic static ScheduledAction getNextScheduledPayment(final @Nonnull LocalDate startOfTerm,\n final @Nonnull LocalDate fromDate,\n final @Nonnull LocalDate endOfTerm,\n final @Nonnull CaseParameters caseParameters)\nprivate static Stream<ScheduledAction> getHypotheticalScheduledActionsForDisbursedLoan(\n final @Nonnull LocalDate startOfTerm,\n final @Nonnull LocalDate endOfTerm,\n final @Nonnull CaseParameters caseParameters)\npublic static LocalDate getRoughEndDate(final @Nonnull LocalDate startOfTerm,\n final @Nonnull CaseParameters caseParameters)\nprivate static Stream<ScheduledAction> generateScheduledActionsForRepaymentPeriod(final @Nonnull Period repaymentPeriod)\nprivate static Stream<ScheduledAction> generateScheduledInterestPaymentsForRepaymentPeriod(final @Nonnull Period repaymentPeriod)\nprivate static Stream<LocalDate> getInterestDayInRepaymentPeriod(final @Nonnull Period repaymentPeriod)\npublic static Stream<Period> generateRepaymentPeriods(\n final LocalDate startOfTerm,\n final LocalDate endOfTerm,\n final CaseParameters caseParameters)\nprivate static LocalDate generateNextPaymentDate(final CaseParameters caseParameters, final LocalDate lastPaymentDate)\nprivate static LocalDate incrementPaymentDate(final LocalDate paymentDate, final PaymentCycle paymentCycle)\nprivate static LocalDate orientPaymentDate(final LocalDate paymentDate, final ChronoUnit maximumSpecifiedAlignmentChronoUnit, PaymentCycle paymentCycle)\nprivate static @Nonnull ChronoUnit min(@Nonnull final ChronoUnit a, @Nonnull final ChronoUnit b)\nprivate static LocalDate orientInYear(final LocalDate paymentDate)\nprivate static LocalDate orientInMonth(final LocalDate paymentDate)\nprivate static LocalDate orientInWeek(final LocalDate paymentDate)\nprivate static LocalDate alignPaymentDate(final LocalDate paymentDate, final ChronoUnit maximumAlignmentChronoUnit, final PaymentCycle paymentCycle)\nprivate static LocalDate alignInMonths(final LocalDate paymentDate, final PaymentCycle paymentCycle)\nprivate static LocalDate alignInWeeks(final LocalDate paymentDate, final PaymentCycle paymentCycle)\nstatic private LocalDate alignInDays(final LocalDate paymentDate, final PaymentCycle paymentCycle)\nstatic private LocalDate alignInDaysOfWeek(final LocalDate paymentDate, final Integer alignmentDay)\nprivate static LocalDate alignInDaysOfMonth(final LocalDate paymentDate, final Integer alignmentDay)\npublic static Optional<Duration> getAccrualPeriodDurationForAction(final Action action)"
} | [
{
"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: service/src/main/java/org/apache/fineract/cn/individuallending/internal/service/schedule/ScheduledActionHelpers.java for which to generate the test case is:\nclass_name: ScheduledActionHelpers\n\nclass_fields: \n\nmethod_signatures: public static boolean actionHasNoActionPeriod(final Action action)\nprivate static Stream<Action> preTermActions()\nprivate static Stream<Action> postTermActions()\npublic static List<ScheduledAction> getHypotheticalScheduledActions(final @Nonnull LocalDate startOfTerm,\n final @Nonnull CaseParameters caseParameters)\npublic static ScheduledAction getNextScheduledPayment(final @Nonnull LocalDate startOfTerm,\n final @Nonnull LocalDate fromDate,\n final @Nonnull LocalDate endOfTerm,\n final @Nonnull CaseParameters caseParameters)\nprivate static Stream<ScheduledAction> getHypotheticalScheduledActionsForDisbursedLoan(\n final @Nonnull LocalDate startOfTerm,\n final @Nonnull LocalDate endOfTerm,\n final @Nonnull CaseParameters caseParameters)\npublic static LocalDate getRoughEndDate(final @Nonnull LocalDate startOfTerm,\n final @Nonnull CaseParameters caseParameters)\nprivate static Stream<ScheduledAction> generateScheduledActionsForRepaymentPeriod(final @Nonnull Period repaymentPeriod)\nprivate static Stream<ScheduledAction> generateScheduledInterestPaymentsForRepaymentPeriod(final @Nonnull Period repaymentPeriod)\nprivate static Stream<LocalDate> getInterestDayInRepaymentPeriod(final @Nonnull Period repaymentPeriod)\npublic static Stream<Period> generateRepaymentPeriods(\n final LocalDate startOfTerm,\n final LocalDate endOfTerm,\n final CaseParameters caseParameters)\nprivate static LocalDate generateNextPaymentDate(final CaseParameters caseParameters, final LocalDate lastPaymentDate)\nprivate static LocalDate incrementPaymentDate(final LocalDate paymentDate, final PaymentCycle paymentCycle)\nprivate static LocalDate orientPaymentDate(final LocalDate paymentDate, final ChronoUnit maximumSpecifiedAlignmentChronoUnit, PaymentCycle paymentCycle)\nprivate static @Nonnull ChronoUnit min(@Nonnull final ChronoUnit a, @Nonnull final ChronoUnit b)\nprivate static LocalDate orientInYear(final LocalDate paymentDate)\nprivate static LocalDate orientInMonth(final LocalDate paymentDate)\nprivate static LocalDate orientInWeek(final LocalDate paymentDate)\nprivate static LocalDate alignPaymentDate(final LocalDate paymentDate, final ChronoUnit maximumAlignmentChronoUnit, final PaymentCycle paymentCycle)\nprivate static LocalDate alignInMonths(final LocalDate paymentDate, final PaymentCycle paymentCycle)\nprivate static LocalDate alignInWeeks(final LocalDate paymentDate, final PaymentCycle paymentCycle)\nstatic private LocalDate alignInDays(final LocalDate paymentDate, final PaymentCycle paymentCycle)\nstatic private LocalDate alignInDaysOfWeek(final LocalDate paymentDate, final Integer alignmentDay)\nprivate static LocalDate alignInDaysOfMonth(final LocalDate paymentDate, final Integer alignmentDay)\npublic static Optional<Duration> getAccrualPeriodDurationForAction(final Action action)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: ScheduledActionHelpersTest\n\nclass_fields: private final TestCase testCase;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file service/src/main/java/org/apache/fineract/cn/individuallending/internal/service/schedule/ScheduledActionHelpers.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public static ScheduledAction getNextScheduledPayment(final @Nonnull LocalDate startOfTerm,\n final @Nonnull LocalDate fromDate,\n final @Nonnull LocalDate endOfTerm,\n final @Nonnull CaseParameters caseParameters) {\n final LocalDate effectiveEndOfTerm = fromDate.isAfter(endOfTerm) ? fromDate : endOfTerm;\n\n return getHypotheticalScheduledActionsForDisbursedLoan(startOfTerm, effectiveEndOfTerm, caseParameters)\n .filter(x -> x.getAction().equals(Action.ACCEPT_PAYMENT))\n .filter(x -> x.actionIsOnOrAfter(fromDate))\n .findFirst()\n .orElseGet(() -> new ScheduledAction(Action.ACCEPT_PAYMENT, fromDate));\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 service/src/test/java/org/apache/fineract/cn/individuallending/internal/service/schedule/ScheduledActionHelpersTest.java\n </TESTFILE7041>\n @Test\n public void getNextScheduledPayment() throws Exception {\n final LocalDate roughEndDate = ScheduledActionHelpers.getRoughEndDate(testCase.initialDisbursementDate, testCase.caseParameters);\n\n testCase.expectedResultContents.stream()\n .filter(x -> x.getAction() == Action.ACCEPT_PAYMENT)\n .forEach(expectedResultContents -> {\n final ScheduledAction nextScheduledPayment = ScheduledActionHelpers.getNextScheduledPayment(\n testCase.initialDisbursementDate,\n expectedResultContents.getWhen().minusDays(1),\n roughEndDate,\n testCase.caseParameters);\n Assert.assertEquals(expectedResultContents, nextScheduledPayment);\n });\n\n final ScheduledAction afterAction = ScheduledActionHelpers.getNextScheduledPayment(\n testCase.initialDisbursementDate,\n roughEndDate.plusDays(1),\n roughEndDate,\n testCase.caseParameters);\n\n Assert.assertNotNull(afterAction.getActionPeriod());\n Assert.assertTrue(afterAction.getActionPeriod().isLastPeriod());\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lorthos/incubator-zeppelin-druid | java | zeppelin-interpreter/src/main/java/org/apache/zeppelin/interpreter/Interpreter.java | zeppelin-interpreter/src/test/java/org/apache/zeppelin/interpreter/InterpreterTest.java | public Properties getProperty() {
Properties p = new Properties();
p.putAll(property);
Map<String, InterpreterProperty> defaultProperties = Interpreter
.findRegisteredInterpreterByClassName(getClassName()).getProperties();
for (String k : defaultProperties.keySet()) {
if (!p.containsKey(k)) {
String value = defaultProperties.get(k).getDefaultValue();
if (value != null) {
p.put(k, defaultProperties.get(k).getDefaultValue());
}
}
}
return p;
} | getProperty | @Test
public void testOverridedProperty() {
Properties p = new Properties();
p.put("p1", "v2");
MockInterpreterA intp = new MockInterpreterA(p);
assertEquals(1, intp.getProperty().size());
assertEquals("v2", intp.getProperty().get("p1"));
assertEquals("v2", intp.getProperty("p1"));
} | testOverridedProperty | [
"putAll",
"getProperties",
"findRegisteredInterpreterByClassName",
"getClassName",
"keySet",
"containsKey",
"getDefaultValue",
"get",
"put",
"getDefaultValue",
"get"
] | [
"put",
"assertEquals",
"size",
"getProperty",
"assertEquals",
"get",
"getProperty",
"assertEquals",
"getProperty"
] | {
"class_fields": "",
"class_name": "InterpreterTest"
} | {
"class_fields": "static Logger logger = LoggerFactory.getLogger(Interpreter.class);\nprivate InterpreterGroup interpreterGroup;\nprivate URL [] classloaderUrls;\nprotected Properties property;\npublic static Map<String, RegisteredInterpreter> registeredInterpreters = Collections\n .synchronizedMap(new HashMap<String, RegisteredInterpreter>());",
"class_name": "Interpreter",
"method_signatures": "public abstract void open()\npublic abstract void close()\npublic abstract InterpreterResult interpret(String st, InterpreterContext context)\npublic abstract void cancel(InterpreterContext context)\npublic abstract FormType getFormType()\npublic abstract int getProgress(InterpreterContext context)\npublic abstract List<String> completion(String buf, int cursor)\npublic Scheduler getScheduler()\npublic void destroy()\npublic Interpreter(Properties property)\npublic void setProperty(Properties property)\npublic Properties getProperty()\npublic String getProperty(String key)\npublic String getClassName()\npublic void setInterpreterGroup(InterpreterGroup interpreterGroup)\npublic InterpreterGroup getInterpreterGroup()\npublic URL[] getClassloaderUrls()\npublic void setClassloaderUrls(URL[] classloaderUrls)\npublic static void register(String name, String className)\npublic static void register(String name, String group, String className)\npublic static void register(String name, String group, String className,\n Map<String, InterpreterProperty> properties)\npublic static RegisteredInterpreter findRegisteredInterpreterByClassName(String className)"
} | [
{
"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: zeppelin-interpreter/src/main/java/org/apache/zeppelin/interpreter/Interpreter.java for which to generate the test case is:\nclass_name: Interpreter\n\nclass_fields: static Logger logger = LoggerFactory.getLogger(Interpreter.class);\nprivate InterpreterGroup interpreterGroup;\nprivate URL [] classloaderUrls;\nprotected Properties property;\npublic static Map<String, RegisteredInterpreter> registeredInterpreters = Collections\n .synchronizedMap(new HashMap<String, RegisteredInterpreter>());\n\nmethod_signatures: public abstract void open()\npublic abstract void close()\npublic abstract InterpreterResult interpret(String st, InterpreterContext context)\npublic abstract void cancel(InterpreterContext context)\npublic abstract FormType getFormType()\npublic abstract int getProgress(InterpreterContext context)\npublic abstract List<String> completion(String buf, int cursor)\npublic Scheduler getScheduler()\npublic void destroy()\npublic Interpreter(Properties property)\npublic void setProperty(Properties property)\npublic Properties getProperty()\npublic String getProperty(String key)\npublic String getClassName()\npublic void setInterpreterGroup(InterpreterGroup interpreterGroup)\npublic InterpreterGroup getInterpreterGroup()\npublic URL[] getClassloaderUrls()\npublic void setClassloaderUrls(URL[] classloaderUrls)\npublic static void register(String name, String className)\npublic static void register(String name, String group, String className)\npublic static void register(String name, String group, String className,\n Map<String, InterpreterProperty> properties)\npublic static RegisteredInterpreter findRegisteredInterpreterByClassName(String className)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: InterpreterTest\n\nclass_fields: \n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file zeppelin-interpreter/src/main/java/org/apache/zeppelin/interpreter/Interpreter.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public Properties getProperty() {\n Properties p = new Properties();\n p.putAll(property);\n\n Map<String, InterpreterProperty> defaultProperties = Interpreter\n .findRegisteredInterpreterByClassName(getClassName()).getProperties();\n for (String k : defaultProperties.keySet()) {\n if (!p.containsKey(k)) {\n String value = defaultProperties.get(k).getDefaultValue();\n if (value != null) {\n p.put(k, defaultProperties.get(k).getDefaultValue());\n }\n }\n }\n\n return p;\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 zeppelin-interpreter/src/test/java/org/apache/zeppelin/interpreter/InterpreterTest.java\n </TESTFILE7041>\n @Test\n public void testOverridedProperty() {\n Properties p = new Properties();\n p.put(\"p1\", \"v2\");\n MockInterpreterA intp = new MockInterpreterA(p);\n\n assertEquals(1, intp.getProperty().size());\n assertEquals(\"v2\", intp.getProperty().get(\"p1\"));\n assertEquals(\"v2\", intp.getProperty(\"p1\"));\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/apache/fineract-cn-portfolio | java | service/src/main/java/org/apache/fineract/cn/individuallending/internal/service/DesignatorToAccountIdentifierMapper.java | service/src/test/java/org/apache/fineract/cn/individuallending/internal/service/DesignatorToAccountIdentifierMapperTest.java | Optional<AccountAssignment> mapToCaseAccountAssignment(final @Nonnull String accountDesignator) {
return caseAccountAssignments.stream().map(CaseMapper::mapAccountAssignmentEntity)
.filter(x -> x.getDesignator().equals(accountDesignator))
.findFirst();
} | mapToCaseAccountAssignment | @Test
public void mapToCaseAccountAssignment() {
final Optional<AccountAssignment> ret = testSubject.mapToCaseAccountAssignment(AccountDesignators.CUSTOMER_LOAN_GROUP);
Assert.assertEquals(testCase.expectedCaseAccountAssignmentMappingForCustomerLoanGroup, ret);
} | mapToCaseAccountAssignment | [
"findFirst",
"filter",
"map",
"stream",
"equals",
"getDesignator"
] | [
"mapToCaseAccountAssignment",
"assertEquals"
] | {
"class_fields": "private final TestCase testCase;\nprivate final DesignatorToAccountIdentifierMapper testSubject;",
"class_name": "DesignatorToAccountIdentifierMapperTest"
} | {
"class_fields": "private final @Nonnull Set<ProductAccountAssignmentEntity> productAccountAssignments;\nprivate final @Nonnull Set<CaseAccountAssignmentEntity> caseAccountAssignments;\nprivate final @Nonnull List<AccountAssignment> oneTimeAccountAssignments;",
"class_name": "DesignatorToAccountIdentifierMapper",
"method_signatures": "public DesignatorToAccountIdentifierMapper(final @Nonnull DataContextOfAction dataContextOfAction)\n DesignatorToAccountIdentifierMapper(\n final @Nonnull Set<ProductAccountAssignmentEntity> productAccountAssignments,\n final @Nonnull Set<CaseAccountAssignmentEntity> caseAccountAssignments,\n final @Nonnull List<AccountAssignment> oneTimeAccountAssignments)\nprivate Stream<AccountAssignment> allAccountAssignmentsAsStream()\nprivate Stream<AccountAssignment> fixedAccountAssignmentsAsStream()\nprivate Stream<AccountAssignment> productAccountAssignmentsAsStream()\nprivate Optional<AccountAssignment> mapToAccountAssignment(final @Nonnull String accountDesignator)\nprivate Optional<AccountAssignment> mapToProductAccountAssignment(final @Nonnull String accountDesignator)\n Optional<AccountAssignment> mapToCaseAccountAssignment(final @Nonnull String accountDesignator)\npublic Optional<String> map(final @Nonnull String accountDesignator)\npublic String mapOrThrow(final @Nonnull String accountDesignator)\npublic Stream<GroupNeedingLedger> getGroupsNeedingLedgers()\npublic Stream<AccountAssignment> getLedgersNeedingAccounts()"
} | [
{
"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: service/src/main/java/org/apache/fineract/cn/individuallending/internal/service/DesignatorToAccountIdentifierMapper.java for which to generate the test case is:\nclass_name: DesignatorToAccountIdentifierMapper\n\nclass_fields: private final @Nonnull Set<ProductAccountAssignmentEntity> productAccountAssignments;\nprivate final @Nonnull Set<CaseAccountAssignmentEntity> caseAccountAssignments;\nprivate final @Nonnull List<AccountAssignment> oneTimeAccountAssignments;\n\nmethod_signatures: public DesignatorToAccountIdentifierMapper(final @Nonnull DataContextOfAction dataContextOfAction)\n DesignatorToAccountIdentifierMapper(\n final @Nonnull Set<ProductAccountAssignmentEntity> productAccountAssignments,\n final @Nonnull Set<CaseAccountAssignmentEntity> caseAccountAssignments,\n final @Nonnull List<AccountAssignment> oneTimeAccountAssignments)\nprivate Stream<AccountAssignment> allAccountAssignmentsAsStream()\nprivate Stream<AccountAssignment> fixedAccountAssignmentsAsStream()\nprivate Stream<AccountAssignment> productAccountAssignmentsAsStream()\nprivate Optional<AccountAssignment> mapToAccountAssignment(final @Nonnull String accountDesignator)\nprivate Optional<AccountAssignment> mapToProductAccountAssignment(final @Nonnull String accountDesignator)\n Optional<AccountAssignment> mapToCaseAccountAssignment(final @Nonnull String accountDesignator)\npublic Optional<String> map(final @Nonnull String accountDesignator)\npublic String mapOrThrow(final @Nonnull String accountDesignator)\npublic Stream<GroupNeedingLedger> getGroupsNeedingLedgers()\npublic Stream<AccountAssignment> getLedgersNeedingAccounts()\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: DesignatorToAccountIdentifierMapperTest\n\nclass_fields: private final TestCase testCase;\nprivate final DesignatorToAccountIdentifierMapper testSubject;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file service/src/main/java/org/apache/fineract/cn/individuallending/internal/service/DesignatorToAccountIdentifierMapper.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n Optional<AccountAssignment> mapToCaseAccountAssignment(final @Nonnull String accountDesignator) {\n return caseAccountAssignments.stream().map(CaseMapper::mapAccountAssignmentEntity)\n .filter(x -> x.getDesignator().equals(accountDesignator))\n .findFirst();\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 service/src/test/java/org/apache/fineract/cn/individuallending/internal/service/DesignatorToAccountIdentifierMapperTest.java\n </TESTFILE7041>\n @Test\n public void mapToCaseAccountAssignment() {\n final Optional<AccountAssignment> ret = testSubject.mapToCaseAccountAssignment(AccountDesignators.CUSTOMER_LOAN_GROUP);\n Assert.assertEquals(testCase.expectedCaseAccountAssignmentMappingForCustomerLoanGroup, ret);\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/jbvincey/NestedRadioButton | java | nestedradiobutton/src/main/java/com/jbvincey/nestedradiobutton/NestedRadioGroupManager.java | nestedradiobutton/src/test/java/com/jbvincey/nestedradiobutton/NestedRadioGroupManagerTest.java | public void check(@IdRes int id) {
// don't even bother
if (id != -1 && (id == checkedId)) {
return;
}
if (checkedId != -1) {
setCheckedStateForView(checkedId, false);
}
if (id != -1) {
setCheckedStateForView(id, true);
}
setCheckedId(id);
} | check | @Test
public void check() {
//given
int initialCheckId = 12345;
int newCheckId = 54321;
nestedRadioGroupManager.initCheckedId(initialCheckId);
//when
nestedRadioGroupManager.check(newCheckId);
//then
verify(nestedRadioGroupManager).setCheckedStateForView(initialCheckId, false);
verify(nestedRadioGroupManager).setCheckedStateForView(newCheckId, true);
verify(nestedRadioGroupManager).setCheckedId(newCheckId);
} | check | [
"setCheckedStateForView",
"setCheckedStateForView",
"setCheckedId"
] | [
"initCheckedId",
"check",
"setCheckedStateForView",
"verify",
"setCheckedStateForView",
"verify",
"setCheckedId",
"verify"
] | {
"class_fields": "private NestedRadioGroupManager nestedRadioGroupManager;",
"class_name": "NestedRadioGroupManagerTest"
} | {
"class_fields": "private static final String TAG = \"NestedRadioGroupManager\";\n@VisibleForTesting\n protected int checkedId = -1;\n@VisibleForTesting\n protected CompoundButton.OnCheckedChangeListener childOnCheckedChangeListener;\nprivate boolean protectFromCheckedChange = false;\nprivate OnCheckedChangeListener onCheckedChangeListener;\n@VisibleForTesting\n protected int initialCheckedId = View.NO_ID;\nprivate final SparseArray<NestedRadioButton> radioButtons;",
"class_name": "NestedRadioGroupManager",
"method_signatures": "public NestedRadioGroupManager()\npublic void initCheckedId(int value)\npublic int getCheckedId()\npublic void addNestedRadioButton(NestedRadioButton nestedRadioButton)\npublic void check(@IdRes int id)\n@VisibleForTesting protected void setCheckedId(@IdRes int id)\n@VisibleForTesting protected void setCheckedStateForView(int viewId, boolean checked)\nprivate NestedRadioButton findViewById(int viewId)\n@TargetApi(Build.VERSION_CODES.O) public void onProvideAutofillStructure(ViewStructure structure)\npublic void clearCheck()\npublic void setOnCheckedChangeListener(OnCheckedChangeListener listener)"
} | [
{
"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: nestedradiobutton/src/main/java/com/jbvincey/nestedradiobutton/NestedRadioGroupManager.java for which to generate the test case is:\nclass_name: NestedRadioGroupManager\n\nclass_fields: private static final String TAG = \"NestedRadioGroupManager\";\n@VisibleForTesting\n protected int checkedId = -1;\n@VisibleForTesting\n protected CompoundButton.OnCheckedChangeListener childOnCheckedChangeListener;\nprivate boolean protectFromCheckedChange = false;\nprivate OnCheckedChangeListener onCheckedChangeListener;\n@VisibleForTesting\n protected int initialCheckedId = View.NO_ID;\nprivate final SparseArray<NestedRadioButton> radioButtons;\n\nmethod_signatures: public NestedRadioGroupManager()\npublic void initCheckedId(int value)\npublic int getCheckedId()\npublic void addNestedRadioButton(NestedRadioButton nestedRadioButton)\npublic void check(@IdRes int id)\n@VisibleForTesting protected void setCheckedId(@IdRes int id)\n@VisibleForTesting protected void setCheckedStateForView(int viewId, boolean checked)\nprivate NestedRadioButton findViewById(int viewId)\n@TargetApi(Build.VERSION_CODES.O) public void onProvideAutofillStructure(ViewStructure structure)\npublic void clearCheck()\npublic void setOnCheckedChangeListener(OnCheckedChangeListener listener)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: NestedRadioGroupManagerTest\n\nclass_fields: private NestedRadioGroupManager nestedRadioGroupManager;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file nestedradiobutton/src/main/java/com/jbvincey/nestedradiobutton/NestedRadioGroupManager.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public void check(@IdRes int id) {\n // don't even bother\n if (id != -1 && (id == checkedId)) {\n return;\n }\n\n if (checkedId != -1) {\n setCheckedStateForView(checkedId, false);\n }\n\n if (id != -1) {\n setCheckedStateForView(id, true);\n }\n\n setCheckedId(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 nestedradiobutton/src/test/java/com/jbvincey/nestedradiobutton/NestedRadioGroupManagerTest.java\n </TESTFILE7041>\n @Test\n public void check() {\n //given\n int initialCheckId = 12345;\n int newCheckId = 54321;\n nestedRadioGroupManager.initCheckedId(initialCheckId);\n\n //when\n nestedRadioGroupManager.check(newCheckId);\n\n //then\n verify(nestedRadioGroupManager).setCheckedStateForView(initialCheckId, false);\n verify(nestedRadioGroupManager).setCheckedStateForView(newCheckId, true);\n verify(nestedRadioGroupManager).setCheckedId(newCheckId);\n\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/apache/fineract-cn-portfolio | java | service/src/main/java/org/apache/fineract/cn/individuallending/internal/service/costcomponent/AcceptPaymentBuilderService.java | service/src/test/java/org/apache/fineract/cn/individuallending/internal/service/costcomponent/AcceptPaymentBuilderServiceTest.java | @Override
public PaymentBuilder getPaymentBuilder(
final DataContextOfAction dataContextOfAction,
final BigDecimal requestedLoanPaymentSize,
final LocalDate forDate,
final RunningBalances runningBalances) {
final LocalDateTime startOfTerm = runningBalances.getStartOfTermOrThrow(dataContextOfAction);
final CaseParametersEntity caseParameters = dataContextOfAction.getCaseParametersEntity();
final String productIdentifier = dataContextOfAction.getProductEntity().getIdentifier();
final int minorCurrencyUnitDigits = dataContextOfAction.getProductEntity().getMinorCurrencyUnitDigits();
final ScheduledAction scheduledAction
= ScheduledActionHelpers.getNextScheduledPayment(
startOfTerm.toLocalDate(),
forDate,
dataContextOfAction.getCustomerCaseEntity().getEndOfTerm().toLocalDate(),
dataContextOfAction.getCaseParameters()
);
final List<ScheduledCharge> scheduledChargesForThisAction = scheduledChargesService.getScheduledCharges(
productIdentifier,
Collections.singletonList(scheduledAction));
final BigDecimal loanPaymentSize;
if (requestedLoanPaymentSize != null) {
loanPaymentSize = requestedLoanPaymentSize
.min(runningBalances.getBalance(AccountDesignators.CUSTOMER_LOAN_GROUP).orElse(BigDecimal.ZERO));
}
else if (scheduledAction.getActionPeriod() != null && scheduledAction.getActionPeriod().isLastPeriod()) {
loanPaymentSize = runningBalances.getBalance(AccountDesignators.CUSTOMER_LOAN_GROUP).orElse(BigDecimal.ZERO);
}
else {
loanPaymentSize = dataContextOfAction.getCaseParametersEntity().getPaymentSize()
.min(runningBalances.getBalance(AccountDesignators.CUSTOMER_LOAN_GROUP).orElse(BigDecimal.ZERO));
}
final AvailableRunningBalancesWithLimits availableRunningBalanceWithLimits =
new AvailableRunningBalancesWithLimits(runningBalances);
availableRunningBalanceWithLimits.setUpperLimit(AccountDesignators.ENTRY, loanPaymentSize);
return CostComponentService.getCostComponentsForScheduledCharges(
scheduledChargesForThisAction,
caseParameters.getBalanceRangeMaximum(),
availableRunningBalanceWithLimits,
dataContextOfAction.getCaseParametersEntity().getPaymentSize(),
BigDecimal.ZERO,
loanPaymentSize,
dataContextOfAction.getInterest(),
minorCurrencyUnitDigits,
true);
} | getPaymentBuilder | @Test
public void getPaymentBuilder() throws Exception {
final PaymentBuilder paymentBuilder = PaymentBuilderServiceTestHarness.constructCallToPaymentBuilder(
AcceptPaymentBuilderService::new, testCase);
final Payment payment = paymentBuilder.buildPayment(
Action.ACCEPT_PAYMENT,
Collections.emptySet(),
testCase.forDate.toLocalDate());
Assert.assertNotNull(payment);
final Map<String, BigDecimal> mappedCostComponents = payment.getCostComponents().stream()
.collect(Collectors.toMap(CostComponent::getChargeIdentifier, CostComponent::getAmount));
Assert.assertEquals(testCase.toString(),
testCase.expectedInterestRepayment, mappedCostComponents.getOrDefault(ChargeIdentifiers.INTEREST_ID, BigDecimal.ZERO));
Assert.assertEquals(testCase.toString(),
testCase.expectedInterestRepayment, mappedCostComponents.getOrDefault(ChargeIdentifiers.REPAY_INTEREST_ID, BigDecimal.ZERO));
Assert.assertEquals(testCase.toString(),
testCase.expectedPrincipalRepayment, mappedCostComponents.getOrDefault(ChargeIdentifiers.REPAY_PRINCIPAL_ID, BigDecimal.ZERO));
Assert.assertEquals(testCase.toString(),
testCase.expectedFeeRepayment, mappedCostComponents.getOrDefault(ChargeIdentifiers.REPAY_FEES_ID, BigDecimal.ZERO));
final BigDecimal expectedTotalRepaymentSize = testCase.expectedFeeRepayment.add(testCase.expectedInterestRepayment).add(testCase.expectedPrincipalRepayment);
Assert.assertEquals(expectedTotalRepaymentSize.negate(), payment.getBalanceAdjustments().getOrDefault(AccountDesignators.ENTRY, BigDecimal.ZERO));
Assert.assertEquals(testCase.expectedFeeRepayment, payment.getBalanceAdjustments().getOrDefault(AccountDesignators.CUSTOMER_LOAN_FEES, BigDecimal.ZERO));
Assert.assertEquals(testCase.expectedInterestRepayment, payment.getBalanceAdjustments().getOrDefault(AccountDesignators.CUSTOMER_LOAN_INTEREST, BigDecimal.ZERO));
Assert.assertEquals(testCase.expectedPrincipalRepayment, payment.getBalanceAdjustments().getOrDefault(AccountDesignators.CUSTOMER_LOAN_PRINCIPAL, BigDecimal.ZERO));
} | getPaymentBuilder | [
"getStartOfTermOrThrow",
"getCaseParametersEntity",
"getIdentifier",
"getProductEntity",
"getMinorCurrencyUnitDigits",
"getProductEntity",
"getNextScheduledPayment",
"toLocalDate",
"toLocalDate",
"getEndOfTerm",
"getCustomerCaseEntity",
"getCaseParameters",
"getScheduledCharges",
"singletonList",
"min",
"orElse",
"getBalance",
"getActionPeriod",
"isLastPeriod",
"getActionPeriod",
"orElse",
"getBalance",
"min",
"getPaymentSize",
"getCaseParametersEntity",
"orElse",
"getBalance",
"setUpperLimit",
"getCostComponentsForScheduledCharges",
"getBalanceRangeMaximum",
"getPaymentSize",
"getCaseParametersEntity",
"getInterest"
] | [
"constructCallToPaymentBuilder",
"buildPayment",
"emptySet",
"toLocalDate",
"assertNotNull",
"collect",
"stream",
"getCostComponents",
"toMap",
"assertEquals",
"toString",
"getOrDefault",
"assertEquals",
"toString",
"getOrDefault",
"assertEquals",
"toString",
"getOrDefault",
"assertEquals",
"toString",
"getOrDefault",
"add",
"add",
"assertEquals",
"negate",
"getOrDefault",
"getBalanceAdjustments",
"assertEquals",
"getOrDefault",
"getBalanceAdjustments",
"assertEquals",
"getOrDefault",
"getBalanceAdjustments",
"assertEquals",
"getOrDefault",
"getBalanceAdjustments"
] | {
"class_fields": "private final PaymentBuilderServiceTestCase testCase;",
"class_name": "AcceptPaymentBuilderServiceTest"
} | {
"class_fields": "private final ScheduledChargesService scheduledChargesService;",
"class_name": "AcceptPaymentBuilderService implements PaymentBuilderService",
"method_signatures": "@Autowired public AcceptPaymentBuilderService(\n final ScheduledChargesService scheduledChargesService)\n@Override public PaymentBuilder getPaymentBuilder(\n final DataContextOfAction dataContextOfAction,\n final BigDecimal requestedLoanPaymentSize,\n final LocalDate forDate,\n final RunningBalances runningBalances)"
} | [
{
"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: service/src/main/java/org/apache/fineract/cn/individuallending/internal/service/costcomponent/AcceptPaymentBuilderService.java for which to generate the test case is:\nclass_name: AcceptPaymentBuilderService implements PaymentBuilderService\n\nclass_fields: private final ScheduledChargesService scheduledChargesService;\n\nmethod_signatures: @Autowired public AcceptPaymentBuilderService(\n final ScheduledChargesService scheduledChargesService)\n@Override public PaymentBuilder getPaymentBuilder(\n final DataContextOfAction dataContextOfAction,\n final BigDecimal requestedLoanPaymentSize,\n final LocalDate forDate,\n final RunningBalances runningBalances)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: AcceptPaymentBuilderServiceTest\n\nclass_fields: private final PaymentBuilderServiceTestCase testCase;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file service/src/main/java/org/apache/fineract/cn/individuallending/internal/service/costcomponent/AcceptPaymentBuilderService.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public PaymentBuilder getPaymentBuilder(\n final DataContextOfAction dataContextOfAction,\n final BigDecimal requestedLoanPaymentSize,\n final LocalDate forDate,\n final RunningBalances runningBalances) {\n final LocalDateTime startOfTerm = runningBalances.getStartOfTermOrThrow(dataContextOfAction);\n\n final CaseParametersEntity caseParameters = dataContextOfAction.getCaseParametersEntity();\n final String productIdentifier = dataContextOfAction.getProductEntity().getIdentifier();\n final int minorCurrencyUnitDigits = dataContextOfAction.getProductEntity().getMinorCurrencyUnitDigits();\n final ScheduledAction scheduledAction\n = ScheduledActionHelpers.getNextScheduledPayment(\n startOfTerm.toLocalDate(),\n forDate,\n dataContextOfAction.getCustomerCaseEntity().getEndOfTerm().toLocalDate(),\n dataContextOfAction.getCaseParameters()\n );\n\n final List<ScheduledCharge> scheduledChargesForThisAction = scheduledChargesService.getScheduledCharges(\n productIdentifier,\n Collections.singletonList(scheduledAction));\n\n final BigDecimal loanPaymentSize;\n\n if (requestedLoanPaymentSize != null) {\n loanPaymentSize = requestedLoanPaymentSize\n .min(runningBalances.getBalance(AccountDesignators.CUSTOMER_LOAN_GROUP).orElse(BigDecimal.ZERO));\n }\n else if (scheduledAction.getActionPeriod() != null && scheduledAction.getActionPeriod().isLastPeriod()) {\n loanPaymentSize = runningBalances.getBalance(AccountDesignators.CUSTOMER_LOAN_GROUP).orElse(BigDecimal.ZERO);\n }\n else {\n loanPaymentSize = dataContextOfAction.getCaseParametersEntity().getPaymentSize()\n .min(runningBalances.getBalance(AccountDesignators.CUSTOMER_LOAN_GROUP).orElse(BigDecimal.ZERO));\n }\n\n final AvailableRunningBalancesWithLimits availableRunningBalanceWithLimits =\n new AvailableRunningBalancesWithLimits(runningBalances);\n availableRunningBalanceWithLimits.setUpperLimit(AccountDesignators.ENTRY, loanPaymentSize);\n\n\n return CostComponentService.getCostComponentsForScheduledCharges(\n scheduledChargesForThisAction,\n caseParameters.getBalanceRangeMaximum(),\n availableRunningBalanceWithLimits,\n dataContextOfAction.getCaseParametersEntity().getPaymentSize(),\n BigDecimal.ZERO,\n loanPaymentSize,\n dataContextOfAction.getInterest(),\n minorCurrencyUnitDigits,\n 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 service/src/test/java/org/apache/fineract/cn/individuallending/internal/service/costcomponent/AcceptPaymentBuilderServiceTest.java\n </TESTFILE7041>\n @Test\n public void getPaymentBuilder() throws Exception {\n final PaymentBuilder paymentBuilder = PaymentBuilderServiceTestHarness.constructCallToPaymentBuilder(\n AcceptPaymentBuilderService::new, testCase);\n\n final Payment payment = paymentBuilder.buildPayment(\n Action.ACCEPT_PAYMENT,\n Collections.emptySet(),\n testCase.forDate.toLocalDate());\n\n Assert.assertNotNull(payment);\n final Map<String, BigDecimal> mappedCostComponents = payment.getCostComponents().stream()\n .collect(Collectors.toMap(CostComponent::getChargeIdentifier, CostComponent::getAmount));\n\n Assert.assertEquals(testCase.toString(),\n testCase.expectedInterestRepayment, mappedCostComponents.getOrDefault(ChargeIdentifiers.INTEREST_ID, BigDecimal.ZERO));\n Assert.assertEquals(testCase.toString(),\n testCase.expectedInterestRepayment, mappedCostComponents.getOrDefault(ChargeIdentifiers.REPAY_INTEREST_ID, BigDecimal.ZERO));\n Assert.assertEquals(testCase.toString(),\n testCase.expectedPrincipalRepayment, mappedCostComponents.getOrDefault(ChargeIdentifiers.REPAY_PRINCIPAL_ID, BigDecimal.ZERO));\n Assert.assertEquals(testCase.toString(),\n testCase.expectedFeeRepayment, mappedCostComponents.getOrDefault(ChargeIdentifiers.REPAY_FEES_ID, BigDecimal.ZERO));\n\n final BigDecimal expectedTotalRepaymentSize = testCase.expectedFeeRepayment.add(testCase.expectedInterestRepayment).add(testCase.expectedPrincipalRepayment);\n Assert.assertEquals(expectedTotalRepaymentSize.negate(), payment.getBalanceAdjustments().getOrDefault(AccountDesignators.ENTRY, BigDecimal.ZERO));\n Assert.assertEquals(testCase.expectedFeeRepayment, payment.getBalanceAdjustments().getOrDefault(AccountDesignators.CUSTOMER_LOAN_FEES, BigDecimal.ZERO));\n Assert.assertEquals(testCase.expectedInterestRepayment, payment.getBalanceAdjustments().getOrDefault(AccountDesignators.CUSTOMER_LOAN_INTEREST, BigDecimal.ZERO));\n Assert.assertEquals(testCase.expectedPrincipalRepayment, payment.getBalanceAdjustments().getOrDefault(AccountDesignators.CUSTOMER_LOAN_PRINCIPAL, BigDecimal.ZERO));\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/mycila/license-maven-plugin | java | license-maven-plugin/src/main/java/com/mycila/maven/plugin/license/header/HeaderDefinition.java | license-maven-plugin/src/test/java/com/mycila/maven/plugin/license/header/HeaderDefinitionTest.java | public void validate() {
check("firstLine", this.firstLine);
check("beforeEachLine", this.beforeEachLine);
check("endLine", this.endLine);
check("afterEachLine", this.afterEachLine);
check("firstLineDetectionPattern", this.firstLineDetectionPattern);
check("lastLineDetectionPattern", this.lastLineDetectionPattern);
check("isMultiline", this.isMultiline);
check("allowBlankLines", this.allowBlankLines);
// skip line can be null
} | validate | @Test(expected = IllegalStateException.class)
public void test_missing_firstLine() throws Exception {
HeaderDefinition def = new HeaderDefinition("aa", null, "before", "end", "after", null, "firstDetect", "lastDetect", false, false, false);
def.validate();
} | test_missing_firstLine | [
"check",
"check",
"check",
"check",
"check",
"check",
"check",
"check"
] | [
"validate"
] | {
"class_fields": "",
"class_name": "HeaderDefinitionTest"
} | {
"class_fields": "private final String type;\nprivate String firstLine = \"\";\nprivate String beforeEachLine = \"\";\nprivate String endLine = \"\";\nprivate String afterEachLine = \"\";\nprivate Boolean allowBlankLines;\nprivate Pattern skipLinePattern;\nprivate Pattern firstLineDetectionPattern;\nprivate Pattern lastLineDetectionPattern;\nprivate Boolean isMultiline;\nprivate boolean padLines = false;",
"class_name": "HeaderDefinition",
"method_signatures": "public HeaderDefinition(String type,\n String firstLine, String beforeEachLine,\n String endLine, String afterEachLine,\n String skipLinePattern,\n String firstLineDetectionPattern, String lastLineDetectionPattern,\n boolean allowBlankLines, boolean isMultiline, boolean padLines)\npublic HeaderDefinition(String type)\nprivate Pattern compile(String regexp)\npublic String getFirstLine()\npublic String getBeforeEachLine()\npublic String getEndLine()\npublic String getAfterEachLine()\npublic String getType()\npublic boolean allowBlankLines()\npublic boolean isPadLines()\npublic boolean isSkipLine(String line)\npublic boolean isFirstHeaderLine(String line)\npublic boolean isLastHeaderLine(String line)\nprotected Pattern getSkipLinePattern()\npublic void setPropertyFromString(String property, String value)\npublic void validate()\nprivate void check(String name, Boolean value)\nprivate void check(String name, String value)\nprivate void check(String name, Pattern value)\nprivate boolean isEmpty(String s)\n@Override public boolean equals(Object o)\n@Override public int hashCode()\n@Override public String toString()\npublic boolean isMultiLine()"
} | [
{
"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: license-maven-plugin/src/main/java/com/mycila/maven/plugin/license/header/HeaderDefinition.java for which to generate the test case is:\nclass_name: HeaderDefinition\n\nclass_fields: private final String type;\nprivate String firstLine = \"\";\nprivate String beforeEachLine = \"\";\nprivate String endLine = \"\";\nprivate String afterEachLine = \"\";\nprivate Boolean allowBlankLines;\nprivate Pattern skipLinePattern;\nprivate Pattern firstLineDetectionPattern;\nprivate Pattern lastLineDetectionPattern;\nprivate Boolean isMultiline;\nprivate boolean padLines = false;\n\nmethod_signatures: public HeaderDefinition(String type,\n String firstLine, String beforeEachLine,\n String endLine, String afterEachLine,\n String skipLinePattern,\n String firstLineDetectionPattern, String lastLineDetectionPattern,\n boolean allowBlankLines, boolean isMultiline, boolean padLines)\npublic HeaderDefinition(String type)\nprivate Pattern compile(String regexp)\npublic String getFirstLine()\npublic String getBeforeEachLine()\npublic String getEndLine()\npublic String getAfterEachLine()\npublic String getType()\npublic boolean allowBlankLines()\npublic boolean isPadLines()\npublic boolean isSkipLine(String line)\npublic boolean isFirstHeaderLine(String line)\npublic boolean isLastHeaderLine(String line)\nprotected Pattern getSkipLinePattern()\npublic void setPropertyFromString(String property, String value)\npublic void validate()\nprivate void check(String name, Boolean value)\nprivate void check(String name, String value)\nprivate void check(String name, Pattern value)\nprivate boolean isEmpty(String s)\n@Override public boolean equals(Object o)\n@Override public int hashCode()\n@Override public String toString()\npublic boolean isMultiLine()\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: HeaderDefinitionTest\n\nclass_fields: \n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file license-maven-plugin/src/main/java/com/mycila/maven/plugin/license/header/HeaderDefinition.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public void validate() {\n check(\"firstLine\", this.firstLine);\n check(\"beforeEachLine\", this.beforeEachLine);\n check(\"endLine\", this.endLine);\n check(\"afterEachLine\", this.afterEachLine);\n check(\"firstLineDetectionPattern\", this.firstLineDetectionPattern);\n check(\"lastLineDetectionPattern\", this.lastLineDetectionPattern);\n check(\"isMultiline\", this.isMultiline);\n check(\"allowBlankLines\", this.allowBlankLines);\n // skip line can be null\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 license-maven-plugin/src/test/java/com/mycila/maven/plugin/license/header/HeaderDefinitionTest.java\n </TESTFILE7041>\n @Test(expected = IllegalStateException.class)\n public void test_missing_firstLine() throws Exception {\n HeaderDefinition def = new HeaderDefinition(\"aa\", null, \"before\", \"end\", \"after\", null, \"firstDetect\", \"lastDetect\", false, false, false);\n def.validate();\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/mycila/license-maven-plugin | java | license-maven-plugin/src/main/java/com/mycila/maven/plugin/license/util/FileUtils.java | license-maven-plugin/src/test/java/com/mycila/maven/plugin/license/util/FileUtilsTest.java | public static String readFirstLines(File file, int lineCount, String encoding) throws IOException {
BufferedReader reader = new BufferedReader(new InputStreamReader(new FileInputStream(file), encoding));
try {
String line;
StringBuilder sb = new StringBuilder();
while (lineCount > 0 && (line = reader.readLine()) != null) {
lineCount--;
sb.append(line).append("\n");
}
return sb.toString();
} finally {
reader.close();
}
} | readFirstLines | @Test
public void test_read_first_lines() throws Exception {
String s = FileUtils.readFirstLines(new File("src/test/data/compileCP/test2.txt"), 3, "ISO-8859-1");
assertTrue(s.contains("c"));
assertFalse(s.contains("d"));
} | test_read_first_lines | [
"readLine",
"append",
"append",
"toString",
"close"
] | [
"readFirstLines",
"assertTrue",
"contains",
"assertFalse",
"contains"
] | {
"class_fields": "",
"class_name": "FileUtilsTest"
} | {
"class_fields": "",
"class_name": "FileUtils",
"method_signatures": "private FileUtils()\npublic static void write(File file, String content, String encoding)\npublic static String read(URL location, String encoding, Map<String, String> properties)\npublic static String read(URL location, String encoding)\npublic static String[] read(final URL[] locations, final String encoding)\npublic static String read(File file, String encoding)\npublic static String readFirstLines(File file, int lineCount, String encoding)\npublic static String remove(String str, String... chars)\npublic static void copyFileToFolder(File file, File folder)\npublic static Path asPath(final File 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: license-maven-plugin/src/main/java/com/mycila/maven/plugin/license/util/FileUtils.java for which to generate the test case is:\nclass_name: FileUtils\n\nclass_fields: \n\nmethod_signatures: private FileUtils()\npublic static void write(File file, String content, String encoding)\npublic static String read(URL location, String encoding, Map<String, String> properties)\npublic static String read(URL location, String encoding)\npublic static String[] read(final URL[] locations, final String encoding)\npublic static String read(File file, String encoding)\npublic static String readFirstLines(File file, int lineCount, String encoding)\npublic static String remove(String str, String... chars)\npublic static void copyFileToFolder(File file, File folder)\npublic static Path asPath(final File file)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: FileUtilsTest\n\nclass_fields: \n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file license-maven-plugin/src/main/java/com/mycila/maven/plugin/license/util/FileUtils.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public static String readFirstLines(File file, int lineCount, String encoding) throws IOException {\n BufferedReader reader = new BufferedReader(new InputStreamReader(new FileInputStream(file), encoding));\n try {\n String line;\n StringBuilder sb = new StringBuilder();\n while (lineCount > 0 && (line = reader.readLine()) != null) {\n lineCount--;\n sb.append(line).append(\"\\n\");\n }\n return sb.toString();\n } finally {\n reader.close();\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 license-maven-plugin/src/test/java/com/mycila/maven/plugin/license/util/FileUtilsTest.java\n </TESTFILE7041>\n @Test\n public void test_read_first_lines() throws Exception {\n String s = FileUtils.readFirstLines(new File(\"src/test/data/compileCP/test2.txt\"), 3, \"ISO-8859-1\");\n assertTrue(s.contains(\"c\"));\n assertFalse(s.contains(\"d\"));\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/pdyraga/spring-batch-samples | java | spring-batch-scalability/src/main/java/com/ontheserverside/batch/bank/screening/SanctionScreeningProcessor.java | spring-batch-scalability/src/test/java/com/ontheserverside/batch/bank/screening/SanctionScreeningProcessorTest.java | @Override
public SanctionMatch process(SanctionScreeningContext context) {
final Elixir0Transaction transaction = context.getTransaction();
final SDNEntity sdnEntity = context.getSdnEntity();
if (matcher.matches(transaction, sdnEntity)) {
return new SanctionMatch(transaction, sdnEntity);
}
return null;
} | process | @Test
public void shouldNotWarnWhenSDNIsNotMatching() {
expect(mockFuzzyMatcher.sequencesMatching(BENEFICIARY_NAME, SDN_ENTITY_NAME)).andReturn(false);
expect(mockFuzzyMatcher.sequencesMatching(ORDERING_PARTY_NAME, SDN_ENTITY_NAME)).andReturn(false);
expect(mockFuzzyMatcher.sequencesMatching(BENEFICIARY_ADDRESS_FULL, SDN_ENTITY_ADDRESS_FULL)).andReturn(false);
expect(mockFuzzyMatcher.sequencesMatching(ORDERING_PARTY_ADDRESS_FULL, SDN_ENTITY_ADDRESS_FULL)).andReturn(false);
expect(mockFuzzyMatcher.sequencesMatching(BENEFICIARY_NAME, SDN_ENTITY_ALTERNATE_NAME)).andReturn(false);
expect(mockFuzzyMatcher.sequencesMatching(ORDERING_PARTY_NAME, SDN_ENTITY_ALTERNATE_NAME)).andReturn(false);
replay(mockFuzzyMatcher);
final SanctionMatch match = processor.process(context);
verify(mockFuzzyMatcher);
assertThat(match, is(nullValue()));
} | shouldNotWarnWhenSDNIsNotMatching | [
"getTransaction",
"getSdnEntity",
"matches"
] | [
"andReturn",
"expect",
"sequencesMatching",
"andReturn",
"expect",
"sequencesMatching",
"andReturn",
"expect",
"sequencesMatching",
"andReturn",
"expect",
"sequencesMatching",
"andReturn",
"expect",
"sequencesMatching",
"andReturn",
"expect",
"sequencesMatching",
"replay",
"process",
"verify",
"assertThat",
"is",
"nullValue"
] | {
"class_fields": "private static final String BENEFICIARY_NAME = \"Brandon Beer\";\nprivate static final String ORDERING_PARTY_NAME = \"Marcelle Rhee\";\nprivate static final String BENEFICIARY_ADDRESS_FULL = \"Sienkiewicza 10 Kielce Poland\";\nprivate static final String ORDERING_PARTY_ADDRESS_FULL = \"Meerschweinchen Platz 10 Berlin Germany\";\nprivate static final String SDN_ENTITY_NAME = \"Daniele Hagen\";\nprivate static final String SDN_ENTITY_ALTERNATE_NAME = \"Melanie Blundell\";\nprivate static final String SDN_ENTITY_ADDRESS = \"Sunnyside 13C\";\nprivate static final String SDN_ENTITY_CITY = \"New York\";\nprivate static final String SDN_ENTITY_COUNTRY = \"USA\";\nprivate static final String SDN_ENTITY_ADDRESS_FULL = \"Sunnyside 13C New York USA\";\nprivate FuzzyMatcher mockFuzzyMatcher;\nprivate SanctionScreeningProcessor processor;\nprivate SanctionScreeningContext context;",
"class_name": "SanctionScreeningProcessorTest"
} | {
"class_fields": "@Autowired\n private FuzzyMatcher fuzzyMatcher;\nprivate final AbstractMatcher matcher = new CompositeMatcher(asList(\n new BeneficiaryNameMatcher(),\n new OrderingPartyNameMatcher(),\n new BeneficiaryAddressMatcher(),\n new OrderingPartyAddressMatcher(),\n new BeneficiaryAlternateNameMatcher(),\n new OrderingPartyAlternateNameMatcher()\n ));",
"class_name": "SanctionScreeningProcessor implements ItemProcessor<SanctionScreeningContext, SanctionMatch>",
"method_signatures": "@Override public SanctionMatch process(SanctionScreeningContext 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: spring-batch-scalability/src/main/java/com/ontheserverside/batch/bank/screening/SanctionScreeningProcessor.java for which to generate the test case is:\nclass_name: SanctionScreeningProcessor implements ItemProcessor<SanctionScreeningContext, SanctionMatch>\n\nclass_fields: @Autowired\n private FuzzyMatcher fuzzyMatcher;\nprivate final AbstractMatcher matcher = new CompositeMatcher(asList(\n new BeneficiaryNameMatcher(),\n new OrderingPartyNameMatcher(),\n new BeneficiaryAddressMatcher(),\n new OrderingPartyAddressMatcher(),\n new BeneficiaryAlternateNameMatcher(),\n new OrderingPartyAlternateNameMatcher()\n ));\n\nmethod_signatures: @Override public SanctionMatch process(SanctionScreeningContext context)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: SanctionScreeningProcessorTest\n\nclass_fields: private static final String BENEFICIARY_NAME = \"Brandon Beer\";\nprivate static final String ORDERING_PARTY_NAME = \"Marcelle Rhee\";\nprivate static final String BENEFICIARY_ADDRESS_FULL = \"Sienkiewicza 10 Kielce Poland\";\nprivate static final String ORDERING_PARTY_ADDRESS_FULL = \"Meerschweinchen Platz 10 Berlin Germany\";\nprivate static final String SDN_ENTITY_NAME = \"Daniele Hagen\";\nprivate static final String SDN_ENTITY_ALTERNATE_NAME = \"Melanie Blundell\";\nprivate static final String SDN_ENTITY_ADDRESS = \"Sunnyside 13C\";\nprivate static final String SDN_ENTITY_CITY = \"New York\";\nprivate static final String SDN_ENTITY_COUNTRY = \"USA\";\nprivate static final String SDN_ENTITY_ADDRESS_FULL = \"Sunnyside 13C New York USA\";\nprivate FuzzyMatcher mockFuzzyMatcher;\nprivate SanctionScreeningProcessor processor;\nprivate SanctionScreeningContext context;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file spring-batch-scalability/src/main/java/com/ontheserverside/batch/bank/screening/SanctionScreeningProcessor.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public SanctionMatch process(SanctionScreeningContext context) {\n final Elixir0Transaction transaction = context.getTransaction();\n final SDNEntity sdnEntity = context.getSdnEntity();\n\n if (matcher.matches(transaction, sdnEntity)) {\n return new SanctionMatch(transaction, sdnEntity);\n }\n\n return null;\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 spring-batch-scalability/src/test/java/com/ontheserverside/batch/bank/screening/SanctionScreeningProcessorTest.java\n </TESTFILE7041>\n @Test\n public void shouldNotWarnWhenSDNIsNotMatching() {\n expect(mockFuzzyMatcher.sequencesMatching(BENEFICIARY_NAME, SDN_ENTITY_NAME)).andReturn(false);\n expect(mockFuzzyMatcher.sequencesMatching(ORDERING_PARTY_NAME, SDN_ENTITY_NAME)).andReturn(false);\n expect(mockFuzzyMatcher.sequencesMatching(BENEFICIARY_ADDRESS_FULL, SDN_ENTITY_ADDRESS_FULL)).andReturn(false);\n expect(mockFuzzyMatcher.sequencesMatching(ORDERING_PARTY_ADDRESS_FULL, SDN_ENTITY_ADDRESS_FULL)).andReturn(false);\n expect(mockFuzzyMatcher.sequencesMatching(BENEFICIARY_NAME, SDN_ENTITY_ALTERNATE_NAME)).andReturn(false);\n expect(mockFuzzyMatcher.sequencesMatching(ORDERING_PARTY_NAME, SDN_ENTITY_ALTERNATE_NAME)).andReturn(false);\n replay(mockFuzzyMatcher);\n\n final SanctionMatch match = processor.process(context);\n\n verify(mockFuzzyMatcher);\n assertThat(match, is(nullValue()));\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/pdyraga/spring-batch-samples | java | spring-batch-scalability/src/main/java/com/ontheserverside/batch/bank/screening/SanctionScreeningProcessor.java | spring-batch-scalability/src/test/java/com/ontheserverside/batch/bank/screening/SanctionScreeningProcessorTest.java | @Override
public SanctionMatch process(SanctionScreeningContext context) {
final Elixir0Transaction transaction = context.getTransaction();
final SDNEntity sdnEntity = context.getSdnEntity();
if (matcher.matches(transaction, sdnEntity)) {
return new SanctionMatch(transaction, sdnEntity);
}
return null;
} | process | @Test
public void shouldMatchSanctionForBeneficiaryAddress() {
expect(mockFuzzyMatcher.sequencesMatching(BENEFICIARY_NAME, SDN_ENTITY_NAME)).andReturn(false);
expect(mockFuzzyMatcher.sequencesMatching(ORDERING_PARTY_NAME, SDN_ENTITY_NAME)).andReturn(false);
expect(mockFuzzyMatcher.sequencesMatching(BENEFICIARY_ADDRESS_FULL, SDN_ENTITY_ADDRESS_FULL)).andReturn(true);
replay(mockFuzzyMatcher);
final SanctionMatch match = processor.process(context);
verify(mockFuzzyMatcher);
assertSanctionMatched(match);
} | shouldMatchSanctionForBeneficiaryAddress | [
"getTransaction",
"getSdnEntity",
"matches"
] | [
"andReturn",
"expect",
"sequencesMatching",
"andReturn",
"expect",
"sequencesMatching",
"andReturn",
"expect",
"sequencesMatching",
"replay",
"process",
"verify",
"assertSanctionMatched"
] | {
"class_fields": "private static final String BENEFICIARY_NAME = \"Brandon Beer\";\nprivate static final String ORDERING_PARTY_NAME = \"Marcelle Rhee\";\nprivate static final String BENEFICIARY_ADDRESS_FULL = \"Sienkiewicza 10 Kielce Poland\";\nprivate static final String ORDERING_PARTY_ADDRESS_FULL = \"Meerschweinchen Platz 10 Berlin Germany\";\nprivate static final String SDN_ENTITY_NAME = \"Daniele Hagen\";\nprivate static final String SDN_ENTITY_ALTERNATE_NAME = \"Melanie Blundell\";\nprivate static final String SDN_ENTITY_ADDRESS = \"Sunnyside 13C\";\nprivate static final String SDN_ENTITY_CITY = \"New York\";\nprivate static final String SDN_ENTITY_COUNTRY = \"USA\";\nprivate static final String SDN_ENTITY_ADDRESS_FULL = \"Sunnyside 13C New York USA\";\nprivate FuzzyMatcher mockFuzzyMatcher;\nprivate SanctionScreeningProcessor processor;\nprivate SanctionScreeningContext context;",
"class_name": "SanctionScreeningProcessorTest"
} | {
"class_fields": "@Autowired\n private FuzzyMatcher fuzzyMatcher;\nprivate final AbstractMatcher matcher = new CompositeMatcher(asList(\n new BeneficiaryNameMatcher(),\n new OrderingPartyNameMatcher(),\n new BeneficiaryAddressMatcher(),\n new OrderingPartyAddressMatcher(),\n new BeneficiaryAlternateNameMatcher(),\n new OrderingPartyAlternateNameMatcher()\n ));",
"class_name": "SanctionScreeningProcessor implements ItemProcessor<SanctionScreeningContext, SanctionMatch>",
"method_signatures": "@Override public SanctionMatch process(SanctionScreeningContext 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: spring-batch-scalability/src/main/java/com/ontheserverside/batch/bank/screening/SanctionScreeningProcessor.java for which to generate the test case is:\nclass_name: SanctionScreeningProcessor implements ItemProcessor<SanctionScreeningContext, SanctionMatch>\n\nclass_fields: @Autowired\n private FuzzyMatcher fuzzyMatcher;\nprivate final AbstractMatcher matcher = new CompositeMatcher(asList(\n new BeneficiaryNameMatcher(),\n new OrderingPartyNameMatcher(),\n new BeneficiaryAddressMatcher(),\n new OrderingPartyAddressMatcher(),\n new BeneficiaryAlternateNameMatcher(),\n new OrderingPartyAlternateNameMatcher()\n ));\n\nmethod_signatures: @Override public SanctionMatch process(SanctionScreeningContext context)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: SanctionScreeningProcessorTest\n\nclass_fields: private static final String BENEFICIARY_NAME = \"Brandon Beer\";\nprivate static final String ORDERING_PARTY_NAME = \"Marcelle Rhee\";\nprivate static final String BENEFICIARY_ADDRESS_FULL = \"Sienkiewicza 10 Kielce Poland\";\nprivate static final String ORDERING_PARTY_ADDRESS_FULL = \"Meerschweinchen Platz 10 Berlin Germany\";\nprivate static final String SDN_ENTITY_NAME = \"Daniele Hagen\";\nprivate static final String SDN_ENTITY_ALTERNATE_NAME = \"Melanie Blundell\";\nprivate static final String SDN_ENTITY_ADDRESS = \"Sunnyside 13C\";\nprivate static final String SDN_ENTITY_CITY = \"New York\";\nprivate static final String SDN_ENTITY_COUNTRY = \"USA\";\nprivate static final String SDN_ENTITY_ADDRESS_FULL = \"Sunnyside 13C New York USA\";\nprivate FuzzyMatcher mockFuzzyMatcher;\nprivate SanctionScreeningProcessor processor;\nprivate SanctionScreeningContext context;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file spring-batch-scalability/src/main/java/com/ontheserverside/batch/bank/screening/SanctionScreeningProcessor.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public SanctionMatch process(SanctionScreeningContext context) {\n final Elixir0Transaction transaction = context.getTransaction();\n final SDNEntity sdnEntity = context.getSdnEntity();\n\n if (matcher.matches(transaction, sdnEntity)) {\n return new SanctionMatch(transaction, sdnEntity);\n }\n\n return null;\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 spring-batch-scalability/src/test/java/com/ontheserverside/batch/bank/screening/SanctionScreeningProcessorTest.java\n </TESTFILE7041>\n @Test\n public void shouldMatchSanctionForBeneficiaryAddress() {\n expect(mockFuzzyMatcher.sequencesMatching(BENEFICIARY_NAME, SDN_ENTITY_NAME)).andReturn(false);\n expect(mockFuzzyMatcher.sequencesMatching(ORDERING_PARTY_NAME, SDN_ENTITY_NAME)).andReturn(false);\n expect(mockFuzzyMatcher.sequencesMatching(BENEFICIARY_ADDRESS_FULL, SDN_ENTITY_ADDRESS_FULL)).andReturn(true);\n replay(mockFuzzyMatcher);\n\n final SanctionMatch match = processor.process(context);\n\n verify(mockFuzzyMatcher);\n assertSanctionMatched(match);\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/apache/incubator-gobblin | java | gobblin-runtime/src/main/java/org/apache/gobblin/runtime/JobState.java | gobblin-runtime/src/test/java/org/apache/gobblin/runtime/JobStateTest.java | public JobExecutionInfo toJobExecutionInfo() {
JobExecutionInfo jobExecutionInfo = new JobExecutionInfo();
jobExecutionInfo.setJobName(this.jobName);
jobExecutionInfo.setJobId(this.jobId);
if (this.startTime > 0) {
jobExecutionInfo.setStartTime(this.startTime);
}
if (this.endTime > 0) {
jobExecutionInfo.setEndTime(this.endTime);
}
jobExecutionInfo.setDuration(this.duration);
jobExecutionInfo.setState(JobStateEnum.valueOf(this.state.name()));
jobExecutionInfo.setLaunchedTasks(this.taskCount);
jobExecutionInfo.setCompletedTasks(this.getCompletedTasks());
jobExecutionInfo.setLauncherType(getLauncherType());
if (getTrackingURL().isPresent()) {
jobExecutionInfo.setTrackingUrl(getTrackingURL().get());
}
// Add task execution information
TaskExecutionInfoArray taskExecutionInfos = new TaskExecutionInfoArray();
for (TaskState taskState : this.getTaskStates()) {
taskExecutionInfos.add(taskState.toTaskExecutionInfo());
}
jobExecutionInfo.setTaskExecutions(taskExecutionInfos);
// Add job metrics
JobMetrics jobMetrics = JobMetrics.get(this);
MetricArray metricArray = new MetricArray();
for (Map.Entry<String, ? extends com.codahale.metrics.Metric> entry : jobMetrics.getMetricContext().getCounters()
.entrySet()) {
Metric counter = new Metric();
counter.setGroup(MetricGroup.JOB.name());
counter.setName(entry.getKey());
counter.setType(MetricTypeEnum.valueOf(GobblinMetrics.MetricType.COUNTER.name()));
counter.setValue(Long.toString(((Counter) entry.getValue()).getCount()));
metricArray.add(counter);
}
for (Map.Entry<String, ? extends com.codahale.metrics.Metric> entry : jobMetrics.getMetricContext().getMeters()
.entrySet()) {
Metric meter = new Metric();
meter.setGroup(MetricGroup.JOB.name());
meter.setName(entry.getKey());
meter.setType(MetricTypeEnum.valueOf(GobblinMetrics.MetricType.METER.name()));
meter.setValue(Double.toString(((Meter) entry.getValue()).getMeanRate()));
metricArray.add(meter);
}
for (Map.Entry<String, ? extends com.codahale.metrics.Metric> entry : jobMetrics.getMetricContext().getGauges()
.entrySet()) {
Metric gauge = new Metric();
gauge.setGroup(MetricGroup.JOB.name());
gauge.setName(entry.getKey());
gauge.setType(MetricTypeEnum.valueOf(GobblinMetrics.MetricType.GAUGE.name()));
gauge.setValue(((Gauge<?>) entry.getValue()).getValue().toString());
metricArray.add(gauge);
}
jobExecutionInfo.setMetrics(metricArray);
// Add job properties
Map<String, String> jobProperties = Maps.newHashMap();
for (String name : this.getPropertyNames()) {
String value = this.getProp(name);
if (!Strings.isNullOrEmpty(value)) {
jobProperties.put(name, value);
}
}
jobExecutionInfo.setJobProperties(new StringMap(jobProperties));
return jobExecutionInfo;
} | toJobExecutionInfo | @Test(dependsOnMethods = {"testSetAndGet"})
public void testToJobExecutionInfo() {
JobExecutionInfo jobExecutionInfo = this.jobState.toJobExecutionInfo();
Assert.assertEquals(jobExecutionInfo.getJobName(), "TestJob");
Assert.assertEquals(jobExecutionInfo.getJobId(), "TestJob-1");
Assert.assertEquals(jobExecutionInfo.getStartTime().longValue(), this.startTime);
Assert.assertEquals(jobExecutionInfo.getEndTime().longValue(), this.startTime + 1000);
Assert.assertEquals(jobExecutionInfo.getDuration().longValue(), 1000L);
Assert.assertEquals(jobExecutionInfo.getState().name(), JobState.RunningState.COMMITTED.name());
Assert.assertEquals(jobExecutionInfo.getLaunchedTasks().intValue(), 3);
Assert.assertEquals(jobExecutionInfo.getCompletedTasks().intValue(), 3);
Assert.assertEquals(jobExecutionInfo.getJobProperties().get("foo"), "bar");
List<String> taskStateIds = Lists.newArrayList();
for (TaskExecutionInfo taskExecutionInfo : jobExecutionInfo.getTaskExecutions()) {
Assert.assertEquals(taskExecutionInfo.getJobId(), "TestJob-1");
Assert.assertEquals(taskExecutionInfo.getStartTime().longValue(), this.startTime);
Assert.assertEquals(taskExecutionInfo.getEndTime().longValue(), this.startTime + 1000);
Assert.assertEquals(taskExecutionInfo.getDuration().longValue(), 1000);
Assert.assertEquals(taskExecutionInfo.getState().name(), WorkUnitState.WorkingState.COMMITTED.name());
Assert.assertEquals(taskExecutionInfo.getTaskProperties().get("foo"), "bar");
taskStateIds.add(taskExecutionInfo.getTaskId());
}
Collections.sort(taskStateIds);
Assert.assertEquals(taskStateIds, Lists.newArrayList("TestTask-0", "TestTask-1", "TestTask-2"));
} | testToJobExecutionInfo | [
"setJobName",
"setJobId",
"setStartTime",
"setEndTime",
"setDuration",
"setState",
"valueOf",
"name",
"setLaunchedTasks",
"setCompletedTasks",
"getCompletedTasks",
"setLauncherType",
"getLauncherType",
"isPresent",
"getTrackingURL",
"setTrackingUrl",
"get",
"getTrackingURL",
"getTaskStates",
"add",
"toTaskExecutionInfo",
"setTaskExecutions",
"get",
"entrySet",
"getCounters",
"getMetricContext",
"setGroup",
"name",
"setName",
"getKey",
"setType",
"valueOf",
"name",
"setValue",
"toString",
"getCount",
"getValue",
"add",
"entrySet",
"getMeters",
"getMetricContext",
"setGroup",
"name",
"setName",
"getKey",
"setType",
"valueOf",
"name",
"setValue",
"toString",
"getMeanRate",
"getValue",
"add",
"entrySet",
"getGauges",
"getMetricContext",
"setGroup",
"name",
"setName",
"getKey",
"setType",
"valueOf",
"name",
"setValue",
"toString",
"getValue",
"getValue",
"add",
"setMetrics",
"newHashMap",
"getPropertyNames",
"getProp",
"isNullOrEmpty",
"put",
"setJobProperties"
] | [
"toJobExecutionInfo",
"assertEquals",
"getJobName",
"assertEquals",
"getJobId",
"assertEquals",
"longValue",
"getStartTime",
"assertEquals",
"longValue",
"getEndTime",
"assertEquals",
"longValue",
"getDuration",
"assertEquals",
"name",
"getState",
"name",
"assertEquals",
"intValue",
"getLaunchedTasks",
"assertEquals",
"intValue",
"getCompletedTasks",
"assertEquals",
"get",
"getJobProperties",
"newArrayList",
"getTaskExecutions",
"assertEquals",
"getJobId",
"assertEquals",
"longValue",
"getStartTime",
"assertEquals",
"longValue",
"getEndTime",
"assertEquals",
"longValue",
"getDuration",
"assertEquals",
"name",
"getState",
"name",
"assertEquals",
"get",
"getTaskProperties",
"add",
"getTaskId",
"sort",
"assertEquals",
"newArrayList"
] | {
"class_fields": "private JobState jobState;\nprivate long startTime;",
"class_name": "JobStateTest"
} | {
"class_fields": "private String jobName;\nprivate String jobId;\nprivate long startTime = 0;\nprivate long endTime = 0;\nprivate long duration = 0;\nprivate RunningState state = RunningState.PENDING;\nprivate int taskCount = 0;\nprivate final Map<String, TaskState> taskStates = Maps.newLinkedHashMap();\nprivate final Map<String, TaskState> skippedTaskStates = Maps.newLinkedHashMap();\nprivate DatasetStateStore datasetStateStore;",
"class_name": "JobState extends SourceState implements JobProgress",
"method_signatures": "public JobState()\npublic JobState(String jobName, String jobId)\npublic JobState(State properties,String jobName, String jobId)\npublic JobState(State properties, Map<String, JobState.DatasetState> previousDatasetStates, String jobName,\n String jobId)\npublic static String getJobNameFromState(State state)\npublic static String getJobNameFromProps(Properties props)\npublic static String getJobGroupFromState(State state)\npublic static String getJobGroupFromProps(Properties props)\npublic static String getJobDescriptionFromProps(State state)\npublic static String getJobDescriptionFromProps(Properties props)\npublic String getJobName()\npublic void setJobName(String jobName)\npublic String getJobId()\npublic void setJobId(String jobId)\npublic long getStartTime()\npublic void setStartTime(long startTime)\npublic long getEndTime()\npublic long getElapsedTime()\npublic void setEndTime(long endTime)\npublic long getDuration()\npublic void setDuration(long duration)\npublic synchronized RunningState getState()\npublic synchronized void setState(RunningState state)\npublic int getTaskCount()\npublic void setTaskCount(int taskCount)\npublic void setJobFailureException(Throwable jobFailureException)\npublic void setJobFailureMessage(String jobFailureMessage)\npublic void incrementTaskCount()\npublic void addTaskState(TaskState taskState)\npublic void addSkippedTaskState(TaskState taskState)\npublic void removeTaskState(TaskState taskState)\npublic void filterSkippedTaskStates()\npublic void addTaskStates(Collection<TaskState> taskStates)\npublic void addSkippedTaskStates(Collection<TaskState> taskStates)\npublic int getCompletedTasks()\npublic List<TaskState> getTaskStates()\n@Override public List<TaskState> getTaskProgress()\npublic Map<String, DatasetState> createDatasetStatesByUrns()\nprivate String createDatasetUrn(Map<String, DatasetState> datasetStatesByUrns, TaskState taskState)\npublic List<WorkUnitState> getTaskStatesAsWorkUnitStates()\npublic LauncherTypeEnum getLauncherType()\npublic void setJobLauncherType(LauncherTypeEnum jobLauncherType)\npublic Optional<String> getTrackingURL()\n@Override public void readFields(DataInput in)\nprivate void getTaskStateWithCommonAndSpecWuProps(int numTaskStates, DataInput in)\n@Override public void write(DataOutput out)\npublic void write(DataOutput out, boolean writeTasks, boolean writePreviousWorkUnitStates)\npublic void toJson(JsonWriter jsonWriter, boolean keepConfig)\nprotected void writeStateSummary(JsonWriter jsonWriter)\nprotected void propsToJson(JsonWriter jsonWriter)\n@Override public boolean equals(Object object)\n@Override public int hashCode()\n@Override public String toString()\npublic JobExecutionInfo toJobExecutionInfo()\npublic DatasetState newDatasetState(boolean fullCopy)\npublic static List<WorkUnitState> workUnitStatesFromDatasetStates(Iterable<JobState.DatasetState> datasetStates)"
} | [
{
"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: gobblin-runtime/src/main/java/org/apache/gobblin/runtime/JobState.java for which to generate the test case is:\nclass_name: JobState extends SourceState implements JobProgress\n\nclass_fields: private String jobName;\nprivate String jobId;\nprivate long startTime = 0;\nprivate long endTime = 0;\nprivate long duration = 0;\nprivate RunningState state = RunningState.PENDING;\nprivate int taskCount = 0;\nprivate final Map<String, TaskState> taskStates = Maps.newLinkedHashMap();\nprivate final Map<String, TaskState> skippedTaskStates = Maps.newLinkedHashMap();\nprivate DatasetStateStore datasetStateStore;\n\nmethod_signatures: public JobState()\npublic JobState(String jobName, String jobId)\npublic JobState(State properties,String jobName, String jobId)\npublic JobState(State properties, Map<String, JobState.DatasetState> previousDatasetStates, String jobName,\n String jobId)\npublic static String getJobNameFromState(State state)\npublic static String getJobNameFromProps(Properties props)\npublic static String getJobGroupFromState(State state)\npublic static String getJobGroupFromProps(Properties props)\npublic static String getJobDescriptionFromProps(State state)\npublic static String getJobDescriptionFromProps(Properties props)\npublic String getJobName()\npublic void setJobName(String jobName)\npublic String getJobId()\npublic void setJobId(String jobId)\npublic long getStartTime()\npublic void setStartTime(long startTime)\npublic long getEndTime()\npublic long getElapsedTime()\npublic void setEndTime(long endTime)\npublic long getDuration()\npublic void setDuration(long duration)\npublic synchronized RunningState getState()\npublic synchronized void setState(RunningState state)\npublic int getTaskCount()\npublic void setTaskCount(int taskCount)\npublic void setJobFailureException(Throwable jobFailureException)\npublic void setJobFailureMessage(String jobFailureMessage)\npublic void incrementTaskCount()\npublic void addTaskState(TaskState taskState)\npublic void addSkippedTaskState(TaskState taskState)\npublic void removeTaskState(TaskState taskState)\npublic void filterSkippedTaskStates()\npublic void addTaskStates(Collection<TaskState> taskStates)\npublic void addSkippedTaskStates(Collection<TaskState> taskStates)\npublic int getCompletedTasks()\npublic List<TaskState> getTaskStates()\n@Override public List<TaskState> getTaskProgress()\npublic Map<String, DatasetState> createDatasetStatesByUrns()\nprivate String createDatasetUrn(Map<String, DatasetState> datasetStatesByUrns, TaskState taskState)\npublic List<WorkUnitState> getTaskStatesAsWorkUnitStates()\npublic LauncherTypeEnum getLauncherType()\npublic void setJobLauncherType(LauncherTypeEnum jobLauncherType)\npublic Optional<String> getTrackingURL()\n@Override public void readFields(DataInput in)\nprivate void getTaskStateWithCommonAndSpecWuProps(int numTaskStates, DataInput in)\n@Override public void write(DataOutput out)\npublic void write(DataOutput out, boolean writeTasks, boolean writePreviousWorkUnitStates)\npublic void toJson(JsonWriter jsonWriter, boolean keepConfig)\nprotected void writeStateSummary(JsonWriter jsonWriter)\nprotected void propsToJson(JsonWriter jsonWriter)\n@Override public boolean equals(Object object)\n@Override public int hashCode()\n@Override public String toString()\npublic JobExecutionInfo toJobExecutionInfo()\npublic DatasetState newDatasetState(boolean fullCopy)\npublic static List<WorkUnitState> workUnitStatesFromDatasetStates(Iterable<JobState.DatasetState> datasetStates)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: JobStateTest\n\nclass_fields: private JobState jobState;\nprivate long startTime;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file gobblin-runtime/src/main/java/org/apache/gobblin/runtime/JobState.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public JobExecutionInfo toJobExecutionInfo() {\n JobExecutionInfo jobExecutionInfo = new JobExecutionInfo();\n\n jobExecutionInfo.setJobName(this.jobName);\n jobExecutionInfo.setJobId(this.jobId);\n if (this.startTime > 0) {\n jobExecutionInfo.setStartTime(this.startTime);\n }\n if (this.endTime > 0) {\n jobExecutionInfo.setEndTime(this.endTime);\n }\n jobExecutionInfo.setDuration(this.duration);\n jobExecutionInfo.setState(JobStateEnum.valueOf(this.state.name()));\n jobExecutionInfo.setLaunchedTasks(this.taskCount);\n jobExecutionInfo.setCompletedTasks(this.getCompletedTasks());\n jobExecutionInfo.setLauncherType(getLauncherType());\n if (getTrackingURL().isPresent()) {\n jobExecutionInfo.setTrackingUrl(getTrackingURL().get());\n }\n\n // Add task execution information\n TaskExecutionInfoArray taskExecutionInfos = new TaskExecutionInfoArray();\n for (TaskState taskState : this.getTaskStates()) {\n taskExecutionInfos.add(taskState.toTaskExecutionInfo());\n }\n jobExecutionInfo.setTaskExecutions(taskExecutionInfos);\n\n // Add job metrics\n JobMetrics jobMetrics = JobMetrics.get(this);\n MetricArray metricArray = new MetricArray();\n\n for (Map.Entry<String, ? extends com.codahale.metrics.Metric> entry : jobMetrics.getMetricContext().getCounters()\n .entrySet()) {\n Metric counter = new Metric();\n counter.setGroup(MetricGroup.JOB.name());\n counter.setName(entry.getKey());\n counter.setType(MetricTypeEnum.valueOf(GobblinMetrics.MetricType.COUNTER.name()));\n counter.setValue(Long.toString(((Counter) entry.getValue()).getCount()));\n metricArray.add(counter);\n }\n\n for (Map.Entry<String, ? extends com.codahale.metrics.Metric> entry : jobMetrics.getMetricContext().getMeters()\n .entrySet()) {\n Metric meter = new Metric();\n meter.setGroup(MetricGroup.JOB.name());\n meter.setName(entry.getKey());\n meter.setType(MetricTypeEnum.valueOf(GobblinMetrics.MetricType.METER.name()));\n meter.setValue(Double.toString(((Meter) entry.getValue()).getMeanRate()));\n metricArray.add(meter);\n }\n\n for (Map.Entry<String, ? extends com.codahale.metrics.Metric> entry : jobMetrics.getMetricContext().getGauges()\n .entrySet()) {\n Metric gauge = new Metric();\n gauge.setGroup(MetricGroup.JOB.name());\n gauge.setName(entry.getKey());\n gauge.setType(MetricTypeEnum.valueOf(GobblinMetrics.MetricType.GAUGE.name()));\n gauge.setValue(((Gauge<?>) entry.getValue()).getValue().toString());\n metricArray.add(gauge);\n }\n\n jobExecutionInfo.setMetrics(metricArray);\n\n // Add job properties\n Map<String, String> jobProperties = Maps.newHashMap();\n for (String name : this.getPropertyNames()) {\n String value = this.getProp(name);\n if (!Strings.isNullOrEmpty(value)) {\n jobProperties.put(name, value);\n }\n }\n jobExecutionInfo.setJobProperties(new StringMap(jobProperties));\n\n return jobExecutionInfo;\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 gobblin-runtime/src/test/java/org/apache/gobblin/runtime/JobStateTest.java\n </TESTFILE7041>\n @Test(dependsOnMethods = {\"testSetAndGet\"})\n public void testToJobExecutionInfo() {\n JobExecutionInfo jobExecutionInfo = this.jobState.toJobExecutionInfo();\n Assert.assertEquals(jobExecutionInfo.getJobName(), \"TestJob\");\n Assert.assertEquals(jobExecutionInfo.getJobId(), \"TestJob-1\");\n Assert.assertEquals(jobExecutionInfo.getStartTime().longValue(), this.startTime);\n Assert.assertEquals(jobExecutionInfo.getEndTime().longValue(), this.startTime + 1000);\n Assert.assertEquals(jobExecutionInfo.getDuration().longValue(), 1000L);\n Assert.assertEquals(jobExecutionInfo.getState().name(), JobState.RunningState.COMMITTED.name());\n Assert.assertEquals(jobExecutionInfo.getLaunchedTasks().intValue(), 3);\n Assert.assertEquals(jobExecutionInfo.getCompletedTasks().intValue(), 3);\n Assert.assertEquals(jobExecutionInfo.getJobProperties().get(\"foo\"), \"bar\");\n\n List<String> taskStateIds = Lists.newArrayList();\n for (TaskExecutionInfo taskExecutionInfo : jobExecutionInfo.getTaskExecutions()) {\n Assert.assertEquals(taskExecutionInfo.getJobId(), \"TestJob-1\");\n Assert.assertEquals(taskExecutionInfo.getStartTime().longValue(), this.startTime);\n Assert.assertEquals(taskExecutionInfo.getEndTime().longValue(), this.startTime + 1000);\n Assert.assertEquals(taskExecutionInfo.getDuration().longValue(), 1000);\n Assert.assertEquals(taskExecutionInfo.getState().name(), WorkUnitState.WorkingState.COMMITTED.name());\n Assert.assertEquals(taskExecutionInfo.getTaskProperties().get(\"foo\"), \"bar\");\n taskStateIds.add(taskExecutionInfo.getTaskId());\n }\n\n Collections.sort(taskStateIds);\n Assert.assertEquals(taskStateIds, Lists.newArrayList(\"TestTask-0\", \"TestTask-1\", \"TestTask-2\"));\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/mycila/license-maven-plugin | java | license-maven-plugin/src/main/java/com/mycila/maven/plugin/license/AbstractLicenseMojo.java | license-maven-plugin/src/test/java/com/mycila/maven/plugin/license/AbstractLicenseMojoTest.java | static String starEncrypt(String str) {
if (str == null) {
return null;
}
return str.replaceAll(".", "*");
} | starEncrypt | @Test
public void test_StarEncryptMethodWorksAsExpected() {
assertThat(AbstractLicenseMojo.starEncrypt("dummy"), is("*****"));
assertThat(AbstractLicenseMojo.starEncrypt(null), nullValue());
String generatedPassword = UUID.randomUUID().toString();
assertThat(AbstractLicenseMojo.starEncrypt(generatedPassword), is(Strings.repeat("*", generatedPassword.length())));
} | test_StarEncryptMethodWorksAsExpected | [
"replaceAll"
] | [
"assertThat",
"starEncrypt",
"is",
"assertThat",
"starEncrypt",
"nullValue",
"toString",
"randomUUID",
"assertThat",
"starEncrypt",
"is",
"repeat",
"length"
] | {
"class_fields": "",
"class_name": "AbstractLicenseMojoTest"
} | {
"class_fields": "@Parameter\n public LicenseSet[] licenseSets;\n@Parameter(property = \"license.basedir\", defaultValue = \"${basedir}\", alias = \"basedir\", required = true)\n public File defaultBasedir;\n@Deprecated\n @Parameter(property = \"license.header\", alias = \"header\")\n public String legacyConfigHeader;\n@Deprecated\n @Parameter(property = \"license.inlineHeader\", alias=\"inlineHeader\")\n public String legacyConfigInlineHeader;\n@Deprecated\n @Parameter(alias = \"validHeaders\")\n public String[] legacyConfigValidHeaders = new String[0];\n@Deprecated\n @Parameter\n public Multi legacyConfigMulti;\n@Parameter(alias = \"headerDefinitions\")\n public String[] defaultHeaderDefinitions = new String[0];\n@Deprecated\n @Parameter(alias = \"headerSections\")\n public HeaderSection[] legacyConfigHeaderSections = new HeaderSection[0];\n@Parameter(alias = \"properties\")\n public Map<String, String> defaultProperties = new HashMap<String, String>();\n@Deprecated\n @Parameter(alias = \"includes\", property = \"license.includes\")\n public String[] legacyConfigIncludes = new String[0];\n@Deprecated\n @Parameter(alias = \"excludes\", property = \"license.excludes\")\n public String[] legacyConfigExcludes = new String[0];\n@Deprecated\n @Parameter(alias = \"keywords\")\n public String[] legacyConfigKeywords = new String[]{\"copyright\"};\n@Parameter(property = \"license.useDefaultExcludes\", defaultValue = \"true\", alias = \"useDefaultExcludes\")\n public boolean defaultUseDefaultExcludes = true;\n@Parameter(property = \"license.aggregate\", defaultValue = \"false\")\n public boolean aggregate = false;\n@Parameter\n public LinkedHashMap<String, String> mapping = new LinkedHashMap<String, String>();\n@Parameter(property = \"license.useDefaultMapping\", defaultValue = \"true\")\n public boolean useDefaultMapping = true;\n@Parameter(property = \"license.concurrencyFactor\", defaultValue = \"1.5\")\n public float concurrencyFactor = 1.5f;\n@Parameter(property = \"license.nThreads\", defaultValue = \"0\")\n public int nThreads;\n@Parameter(property = \"license.skip\", defaultValue = \"false\")\n public boolean skip = false;\n@Parameter(property = \"license.quiet\", defaultValue = \"false\")\n public boolean quiet = false;\n@Parameter(property = \"license.strictCheck\", defaultValue = \"true\")\n public boolean strictCheck = true;\n@Parameter(property = \"license.encoding\", defaultValue = \"${project.build.sourceEncoding}\")\n public String encoding = \"UTF-8\";\n@Parameter(property = \"license.failIfMissing\", defaultValue = \"true\")\n public boolean failIfMissing = true;\n@Parameter(property = \"license.failIfUnknown\", defaultValue = \"false\")\n public boolean failIfUnknown = false;\n@Parameter(property = \"license.dryRun\", defaultValue = \"false\")\n public boolean dryRun = false;\n@Parameter(property = \"license.skipExistingHeaders\", defaultValue = \"false\")\n public boolean skipExistingHeaders = false;\n@Component\n public MavenProject project;\n@Component\n private Settings settings;\n@Component\n private SettingsDecrypter settingsDecrypter;",
"class_name": "AbstractLicenseMojo extends AbstractMojo",
"method_signatures": "@SuppressWarnings({\"unchecked\"}) public final void execute(final Callback callback)\nprivate File getCanonicalFile(final File file, final String description)\nprivate void executeForLicenseSets(final LicenseSet[] licenseSets, final Callback callback)\nprivate LicenseSet convertLegacyConfigToLicenseSet()\nprivate void executeForLicenseSet(final LicenseSet licenseSet, final Callback callback)\nprivate boolean hasHeader(final LicenseSet licenseSet)\nprivate int getNumberOfExecutorThreads()\nprivate Map<String, String> mergeProperties(final LicenseSet licenseSet, final Document document)\nprivate String[] listSelectedFiles(final LicenseSet licenseSet)\nprivate String[] buildExcludes(final LicenseSet licenseSet)\npublic final void info(String format, Object... params)\npublic final void debug(String format, Object... params)\npublic final void warn(String format, Object... params)\nprivate Map<String, String> buildMapping()\nprivate Map<String, HeaderDefinition> buildHeaderDefinitions(final LicenseSet licenseSet, final ResourceFinder finder)\nprivate Map<String, HeaderDefinition> loadHeaderDefinition(final String headerDefinition, final ResourceFinder finder)\n List<Server> getDecryptedServers()\npublic Credentials findCredentials(String serverID)\nstatic String starEncrypt(String str)\nprivate static T firstNonNull(final T t1, final T t2)"
} | [
{
"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: license-maven-plugin/src/main/java/com/mycila/maven/plugin/license/AbstractLicenseMojo.java for which to generate the test case is:\nclass_name: AbstractLicenseMojo extends AbstractMojo\n\nclass_fields: @Parameter\n public LicenseSet[] licenseSets;\n@Parameter(property = \"license.basedir\", defaultValue = \"${basedir}\", alias = \"basedir\", required = true)\n public File defaultBasedir;\n@Deprecated\n @Parameter(property = \"license.header\", alias = \"header\")\n public String legacyConfigHeader;\n@Deprecated\n @Parameter(property = \"license.inlineHeader\", alias=\"inlineHeader\")\n public String legacyConfigInlineHeader;\n@Deprecated\n @Parameter(alias = \"validHeaders\")\n public String[] legacyConfigValidHeaders = new String[0];\n@Deprecated\n @Parameter\n public Multi legacyConfigMulti;\n@Parameter(alias = \"headerDefinitions\")\n public String[] defaultHeaderDefinitions = new String[0];\n@Deprecated\n @Parameter(alias = \"headerSections\")\n public HeaderSection[] legacyConfigHeaderSections = new HeaderSection[0];\n@Parameter(alias = \"properties\")\n public Map<String, String> defaultProperties = new HashMap<String, String>();\n@Deprecated\n @Parameter(alias = \"includes\", property = \"license.includes\")\n public String[] legacyConfigIncludes = new String[0];\n@Deprecated\n @Parameter(alias = \"excludes\", property = \"license.excludes\")\n public String[] legacyConfigExcludes = new String[0];\n@Deprecated\n @Parameter(alias = \"keywords\")\n public String[] legacyConfigKeywords = new String[]{\"copyright\"};\n@Parameter(property = \"license.useDefaultExcludes\", defaultValue = \"true\", alias = \"useDefaultExcludes\")\n public boolean defaultUseDefaultExcludes = true;\n@Parameter(property = \"license.aggregate\", defaultValue = \"false\")\n public boolean aggregate = false;\n@Parameter\n public LinkedHashMap<String, String> mapping = new LinkedHashMap<String, String>();\n@Parameter(property = \"license.useDefaultMapping\", defaultValue = \"true\")\n public boolean useDefaultMapping = true;\n@Parameter(property = \"license.concurrencyFactor\", defaultValue = \"1.5\")\n public float concurrencyFactor = 1.5f;\n@Parameter(property = \"license.nThreads\", defaultValue = \"0\")\n public int nThreads;\n@Parameter(property = \"license.skip\", defaultValue = \"false\")\n public boolean skip = false;\n@Parameter(property = \"license.quiet\", defaultValue = \"false\")\n public boolean quiet = false;\n@Parameter(property = \"license.strictCheck\", defaultValue = \"true\")\n public boolean strictCheck = true;\n@Parameter(property = \"license.encoding\", defaultValue = \"${project.build.sourceEncoding}\")\n public String encoding = \"UTF-8\";\n@Parameter(property = \"license.failIfMissing\", defaultValue = \"true\")\n public boolean failIfMissing = true;\n@Parameter(property = \"license.failIfUnknown\", defaultValue = \"false\")\n public boolean failIfUnknown = false;\n@Parameter(property = \"license.dryRun\", defaultValue = \"false\")\n public boolean dryRun = false;\n@Parameter(property = \"license.skipExistingHeaders\", defaultValue = \"false\")\n public boolean skipExistingHeaders = false;\n@Component\n public MavenProject project;\n@Component\n private Settings settings;\n@Component\n private SettingsDecrypter settingsDecrypter;\n\nmethod_signatures: @SuppressWarnings({\"unchecked\"}) public final void execute(final Callback callback)\nprivate File getCanonicalFile(final File file, final String description)\nprivate void executeForLicenseSets(final LicenseSet[] licenseSets, final Callback callback)\nprivate LicenseSet convertLegacyConfigToLicenseSet()\nprivate void executeForLicenseSet(final LicenseSet licenseSet, final Callback callback)\nprivate boolean hasHeader(final LicenseSet licenseSet)\nprivate int getNumberOfExecutorThreads()\nprivate Map<String, String> mergeProperties(final LicenseSet licenseSet, final Document document)\nprivate String[] listSelectedFiles(final LicenseSet licenseSet)\nprivate String[] buildExcludes(final LicenseSet licenseSet)\npublic final void info(String format, Object... params)\npublic final void debug(String format, Object... params)\npublic final void warn(String format, Object... params)\nprivate Map<String, String> buildMapping()\nprivate Map<String, HeaderDefinition> buildHeaderDefinitions(final LicenseSet licenseSet, final ResourceFinder finder)\nprivate Map<String, HeaderDefinition> loadHeaderDefinition(final String headerDefinition, final ResourceFinder finder)\n List<Server> getDecryptedServers()\npublic Credentials findCredentials(String serverID)\nstatic String starEncrypt(String str)\nprivate static T firstNonNull(final T t1, final T t2)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: AbstractLicenseMojoTest\n\nclass_fields: \n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file license-maven-plugin/src/main/java/com/mycila/maven/plugin/license/AbstractLicenseMojo.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n static String starEncrypt(String str) {\n if (str == null) {\n return null;\n }\n return str.replaceAll(\".\", \"*\");\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 license-maven-plugin/src/test/java/com/mycila/maven/plugin/license/AbstractLicenseMojoTest.java\n </TESTFILE7041>\n @Test\n public void test_StarEncryptMethodWorksAsExpected() {\n assertThat(AbstractLicenseMojo.starEncrypt(\"dummy\"), is(\"*****\"));\n \n assertThat(AbstractLicenseMojo.starEncrypt(null), nullValue());\n \n String generatedPassword = UUID.randomUUID().toString();\n assertThat(AbstractLicenseMojo.starEncrypt(generatedPassword), is(Strings.repeat(\"*\", generatedPassword.length())));\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/pdyraga/spring-batch-samples | java | spring-batch-scalability/src/main/java/com/ontheserverside/batch/bank/screening/JaroBagFuzzyMatcher.java | spring-batch-scalability/src/test/java/com/ontheserverside/batch/bank/screening/JaroBagFuzzyMatcherTest.java | @Override
public boolean sequencesMatching(final String phrase1, final String phrase2) {
final String phrase1LowerCase = removeNonAlphanumeric(phrase1).toLowerCase();
final String phrase2LowerCase = removeNonAlphanumeric(phrase2).toLowerCase();
final List<String> phrase1Bag = new ArrayList<>(Arrays.asList(phrase1LowerCase.split("\\s+")));
final List<String> phrase2Bag = new ArrayList<>(Arrays.asList(phrase2LowerCase.split("\\s+")));
if (phrase1Bag.size() == 1 && phrase2Bag.size() == 1) {
// single-word phrases deserve special treatment...
return jaroMetric(phrase1LowerCase, phrase2LowerCase) >= JARO_SINGLE_WORD_PHRASE_MIN_MATCH_FACTOR;
} else if (phrase1Bag.size() < phrase2Bag.size()) {
return compareBags(phrase1Bag, phrase2Bag) >= BAG_MIN_MATCH_FACTOR;
} else {
return compareBags(phrase2Bag, phrase1Bag) >= BAG_MIN_MATCH_FACTOR;
}
} | sequencesMatching | @Test
public void shouldNotMatchForDifferentWords() {
// it's hard do define what "different words" are in terms of fuzzy matching;
// this test (as well as all others within this class) should be considered just
// as a way to adjust sensitivity factors of metrics
assertThat(matcher.sequencesMatching("bombai", "bomb"), is(false));
assertThat(matcher.sequencesMatching("attack", "attention"), is(false));
assertThat(matcher.sequencesMatching("taliban", "talisman"), is(false));
assertThat(matcher.sequencesMatching("nuclear", "uncle"), is(false));
assertThat(matcher.sequencesMatching("gun", "gunner"), is(false));
assertThat(matcher.sequencesMatching("uranium", "uranus"), is(false));
assertThat(matcher.sequencesMatching("matshalaga", "matha"), is(false));
} | shouldNotMatchForDifferentWords | [
"toLowerCase",
"removeNonAlphanumeric",
"toLowerCase",
"removeNonAlphanumeric",
"asList",
"split",
"asList",
"split",
"size",
"size",
"jaroMetric",
"size",
"size",
"compareBags",
"compareBags"
] | [
"assertThat",
"sequencesMatching",
"is",
"assertThat",
"sequencesMatching",
"is",
"assertThat",
"sequencesMatching",
"is",
"assertThat",
"sequencesMatching",
"is",
"assertThat",
"sequencesMatching",
"is",
"assertThat",
"sequencesMatching",
"is",
"assertThat",
"sequencesMatching",
"is"
] | {
"class_fields": "private JaroBagFuzzyMatcher matcher = new JaroBagFuzzyMatcher();",
"class_name": "JaroBagFuzzyMatcherTest"
} | {
"class_fields": "private static final double JARO_SINGLE_WORD_PHRASE_MIN_MATCH_FACTOR = 0.9;\nprivate static final double JARO_WORD_MIN_MATCH_FACTOR = 0.8333;\nprivate static final double BAG_MIN_MATCH_FACTOR = 0.932;\nprivate final InterfaceStringMetric jaroMetric = new Jaro();",
"class_name": "JaroBagFuzzyMatcher implements FuzzyMatcher",
"method_signatures": "@Override public boolean sequencesMatching(final String phrase1, final String phrase2)\nprivate double compareBags(final List<String> bagA, final List<String> bagB)\nprivate double jaroMetric(final String word1, final String word2)\nprivate String removeNonAlphanumeric(final String str)"
} | [
{
"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-batch-scalability/src/main/java/com/ontheserverside/batch/bank/screening/JaroBagFuzzyMatcher.java for which to generate the test case is:\nclass_name: JaroBagFuzzyMatcher implements FuzzyMatcher\n\nclass_fields: private static final double JARO_SINGLE_WORD_PHRASE_MIN_MATCH_FACTOR = 0.9;\nprivate static final double JARO_WORD_MIN_MATCH_FACTOR = 0.8333;\nprivate static final double BAG_MIN_MATCH_FACTOR = 0.932;\nprivate final InterfaceStringMetric jaroMetric = new Jaro();\n\nmethod_signatures: @Override public boolean sequencesMatching(final String phrase1, final String phrase2)\nprivate double compareBags(final List<String> bagA, final List<String> bagB)\nprivate double jaroMetric(final String word1, final String word2)\nprivate String removeNonAlphanumeric(final String str)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: JaroBagFuzzyMatcherTest\n\nclass_fields: private JaroBagFuzzyMatcher matcher = new JaroBagFuzzyMatcher();\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file spring-batch-scalability/src/main/java/com/ontheserverside/batch/bank/screening/JaroBagFuzzyMatcher.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public boolean sequencesMatching(final String phrase1, final String phrase2) {\n final String phrase1LowerCase = removeNonAlphanumeric(phrase1).toLowerCase();\n final String phrase2LowerCase = removeNonAlphanumeric(phrase2).toLowerCase();\n\n final List<String> phrase1Bag = new ArrayList<>(Arrays.asList(phrase1LowerCase.split(\"\\\\s+\")));\n final List<String> phrase2Bag = new ArrayList<>(Arrays.asList(phrase2LowerCase.split(\"\\\\s+\")));\n\n if (phrase1Bag.size() == 1 && phrase2Bag.size() == 1) {\n // single-word phrases deserve special treatment...\n return jaroMetric(phrase1LowerCase, phrase2LowerCase) >= JARO_SINGLE_WORD_PHRASE_MIN_MATCH_FACTOR;\n } else if (phrase1Bag.size() < phrase2Bag.size()) {\n return compareBags(phrase1Bag, phrase2Bag) >= BAG_MIN_MATCH_FACTOR;\n } else {\n return compareBags(phrase2Bag, phrase1Bag) >= BAG_MIN_MATCH_FACTOR;\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 spring-batch-scalability/src/test/java/com/ontheserverside/batch/bank/screening/JaroBagFuzzyMatcherTest.java\n </TESTFILE7041>\n @Test\n public void shouldNotMatchForDifferentWords() {\n // it's hard do define what \"different words\" are in terms of fuzzy matching;\n // this test (as well as all others within this class) should be considered just\n // as a way to adjust sensitivity factors of metrics\n assertThat(matcher.sequencesMatching(\"bombai\", \"bomb\"), is(false));\n assertThat(matcher.sequencesMatching(\"attack\", \"attention\"), is(false));\n assertThat(matcher.sequencesMatching(\"taliban\", \"talisman\"), is(false));\n assertThat(matcher.sequencesMatching(\"nuclear\", \"uncle\"), is(false));\n assertThat(matcher.sequencesMatching(\"gun\", \"gunner\"), is(false));\n assertThat(matcher.sequencesMatching(\"uranium\", \"uranus\"), is(false));\n assertThat(matcher.sequencesMatching(\"matshalaga\", \"matha\"), is(false));\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lmco/eurekastreams | java | server/src/main/java/org/eurekastreams/server/persistence/mappers/db/metrics/GetStreamTotalCommentCountDbMapper.java | server/src/test/java/org/eurekastreams/server/persistence/mappers/db/metrics/GetStreamTotalCommentCountDbMapperTest.java | @Override
public Long execute(final UsageMetricDailyStreamInfoRequest inRequest)
{
return (Long) getEntityManager()
.createQuery(
"SELECT COUNT(id) FROM Comment WHERE target.recipientStreamScope.id = :recipientStreamScopeId "
+ "AND timeSent < :requestDate")
.setParameter("recipientStreamScopeId", inRequest.getStreamRecipientStreamScopeId())
.setParameter("requestDate", DateDayExtractor.getEndOfDay(inRequest.getMetricsDate()))
.getSingleResult();
} | execute | @Test
public void testExecuteWithNoResults()
{
final Long streamScopeId = 87433388L;
Assert.assertEquals(new Long(0), sut.execute(new UsageMetricDailyStreamInfoRequest(new Date(), streamScopeId)));
} | testExecuteWithNoResults | [
"getSingleResult",
"setParameter",
"setParameter",
"createQuery",
"getEntityManager",
"getStreamRecipientStreamScopeId",
"getEndOfDay",
"getMetricsDate"
] | [
"assertEquals",
"execute"
] | {
"class_fields": "GetStreamTotalCommentCountDbMapper sut;",
"class_name": "GetStreamTotalCommentCountDbMapperTest extends MapperTest"
} | {
"class_fields": "",
"class_name": "GetStreamTotalCommentCountDbMapper extends BaseArgDomainMapper<UsageMetricDailyStreamInfoRequest, Long>",
"method_signatures": "@Override public Long execute(final UsageMetricDailyStreamInfoRequest inRequest)"
} | [
{
"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: server/src/main/java/org/eurekastreams/server/persistence/mappers/db/metrics/GetStreamTotalCommentCountDbMapper.java for which to generate the test case is:\nclass_name: GetStreamTotalCommentCountDbMapper extends BaseArgDomainMapper<UsageMetricDailyStreamInfoRequest, Long>\n\nclass_fields: \n\nmethod_signatures: @Override public Long execute(final UsageMetricDailyStreamInfoRequest inRequest)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: GetStreamTotalCommentCountDbMapperTest extends MapperTest\n\nclass_fields: GetStreamTotalCommentCountDbMapper sut;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file server/src/main/java/org/eurekastreams/server/persistence/mappers/db/metrics/GetStreamTotalCommentCountDbMapper.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public Long execute(final UsageMetricDailyStreamInfoRequest inRequest)\n {\n return (Long) getEntityManager()\n .createQuery(\n \"SELECT COUNT(id) FROM Comment WHERE target.recipientStreamScope.id = :recipientStreamScopeId \"\n + \"AND timeSent < :requestDate\")\n .setParameter(\"recipientStreamScopeId\", inRequest.getStreamRecipientStreamScopeId())\n .setParameter(\"requestDate\", DateDayExtractor.getEndOfDay(inRequest.getMetricsDate()))\n .getSingleResult();\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 server/src/test/java/org/eurekastreams/server/persistence/mappers/db/metrics/GetStreamTotalCommentCountDbMapperTest.java\n </TESTFILE7041>\n @Test\n public void testExecuteWithNoResults()\n {\n final Long streamScopeId = 87433388L;\n Assert.assertEquals(new Long(0), sut.execute(new UsageMetricDailyStreamInfoRequest(new Date(), streamScopeId)));\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/mycila/license-maven-plugin | java | license-maven-plugin/src/main/java/com/mycila/maven/plugin/license/util/resource/ResourceFinder.java | license-maven-plugin/src/test/java/com/mycila/maven/plugin/license/util/resource/ResourceFinderTest.java | public URL findResource(String resource) throws MojoFailureException {
URL res = null;
// first search relatively to the base directory
try {
final Path p = basedir.resolve(resource);
res = toURL(p.toAbsolutePath());
} catch (final InvalidPathException e) {
// no-op - can be caused by resource being a URI on windows when Path.resolve is called
}
if (res != null) {
return res;
}
// if not found, search for absolute location on file system, or relative to execution dir
try {
res = toURL(Paths.get(resource));
} catch (final InvalidPathException e) {
// no-op - can be caused by resource being a URI on windows when Paths.get is called
}
if (res != null) {
return res;
}
// if not found, try the classpaths
final String cpResource = resource.startsWith("/") ? resource.substring(1) : resource;
// tries compile claspath of project
res = compileClassPath.getResource(cpResource);
if (res != null) {
return res;
}
// tries this plugin classpath
res = pluginClassPath.getResource(cpResource);
if (res != null) {
return res;
}
// otherwise, tries to return a valid URL
try {
res = new URL(resource);
res.openStream().close();
return res;
}
catch (Exception e) {
throw new MojoFailureException("Resource " + resource + " not found in file system, classpath or URL: " + e.getMessage(), e);
}
} | findResource | @Test
public void test_load_relative_file() throws Exception {
final URL u = finder.findResource("src/test/data/compileCP/test.txt");
assertTrue(u.getPath().contains("src/test/data/compileCP/test.txt"));
} | test_load_relative_file | [
"resolve",
"toURL",
"toAbsolutePath",
"toURL",
"get",
"startsWith",
"substring",
"getResource",
"getResource",
"close",
"openStream",
"getMessage"
] | [
"findResource",
"assertTrue",
"contains",
"getPath"
] | {
"class_fields": "static ResourceFinder finder;",
"class_name": "ResourceFinderTest"
} | {
"class_fields": "private final Path basedir;\nprivate CustomClassLoader compileClassPath;\nprivate CustomClassLoader pluginClassPath;",
"class_name": "ResourceFinder",
"method_signatures": "public ResourceFinder(final Path basedir)\npublic void setCompileClassPath(List<String> classpath)\npublic void setPluginClassPath(ClassLoader classLoader)\npublic URL findResource(String resource)\nprivate URL toURL(final Path path)"
} | [
{
"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: license-maven-plugin/src/main/java/com/mycila/maven/plugin/license/util/resource/ResourceFinder.java for which to generate the test case is:\nclass_name: ResourceFinder\n\nclass_fields: private final Path basedir;\nprivate CustomClassLoader compileClassPath;\nprivate CustomClassLoader pluginClassPath;\n\nmethod_signatures: public ResourceFinder(final Path basedir)\npublic void setCompileClassPath(List<String> classpath)\npublic void setPluginClassPath(ClassLoader classLoader)\npublic URL findResource(String resource)\nprivate URL toURL(final Path path)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: ResourceFinderTest\n\nclass_fields: static ResourceFinder finder;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file license-maven-plugin/src/main/java/com/mycila/maven/plugin/license/util/resource/ResourceFinder.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public URL findResource(String resource) throws MojoFailureException {\n URL res = null;\n\n // first search relatively to the base directory\n try {\n final Path p = basedir.resolve(resource);\n res = toURL(p.toAbsolutePath());\n } catch (final InvalidPathException e) {\n // no-op - can be caused by resource being a URI on windows when Path.resolve is called\n }\n if (res != null) {\n return res;\n }\n\n // if not found, search for absolute location on file system, or relative to execution dir\n try {\n res = toURL(Paths.get(resource));\n } catch (final InvalidPathException e) {\n // no-op - can be caused by resource being a URI on windows when Paths.get is called\n }\n if (res != null) {\n return res;\n }\n\n // if not found, try the classpaths\n final String cpResource = resource.startsWith(\"/\") ? resource.substring(1) : resource;\n\n // tries compile claspath of project\n res = compileClassPath.getResource(cpResource);\n if (res != null) {\n return res;\n }\n\n // tries this plugin classpath\n res = pluginClassPath.getResource(cpResource);\n if (res != null) {\n return res;\n }\n\n // otherwise, tries to return a valid URL\n try {\n res = new URL(resource);\n res.openStream().close();\n return res;\n }\n catch (Exception e) {\n throw new MojoFailureException(\"Resource \" + resource + \" not found in file system, classpath or URL: \" + e.getMessage(), 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 license-maven-plugin/src/test/java/com/mycila/maven/plugin/license/util/resource/ResourceFinderTest.java\n </TESTFILE7041>\n @Test\n public void test_load_relative_file() throws Exception {\n final URL u = finder.findResource(\"src/test/data/compileCP/test.txt\");\n assertTrue(u.getPath().contains(\"src/test/data/compileCP/test.txt\"));\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lorthos/incubator-zeppelin-druid | java | zeppelin-zengine/src/main/java/org/apache/zeppelin/conf/ZeppelinConfiguration.java | zeppelin-zengine/src/test/java/org/apache/zeppelin/conf/ZeppelinConfigurationTest.java | public List<String> getAllowedOrigins()
{
if (getString(ConfVars.ZEPPELIN_ALLOWED_ORIGINS).isEmpty()) {
return Arrays.asList(new String[0]);
}
return Arrays.asList(getString(ConfVars.ZEPPELIN_ALLOWED_ORIGINS).toLowerCase().split(","));
} | getAllowedOrigins | @Test
public void getAllowedOrigins2Test() throws MalformedURLException, ConfigurationException {
ZeppelinConfiguration conf = new ZeppelinConfiguration(this.getClass().getResource("/test-zeppelin-site2.xml"));
List<String> origins = conf.getAllowedOrigins();
Assert.assertEquals(2, origins.size());
Assert.assertEquals("http://onehost:8080", origins.get(0));
Assert.assertEquals("http://otherhost.com", origins.get(1));
} | getAllowedOrigins2Test | [
"isEmpty",
"getString",
"asList",
"asList",
"split",
"toLowerCase",
"getString"
] | [
"getResource",
"getClass",
"getAllowedOrigins",
"assertEquals",
"size",
"assertEquals",
"get",
"assertEquals",
"get"
] | {
"class_fields": "",
"class_name": "ZeppelinConfigurationTest"
} | {
"class_fields": "private static final String ZEPPELIN_SITE_XML = \"zeppelin-site.xml\";\nprivate static final long serialVersionUID = 4749305895693848035L;\nprivate static final Logger LOG = LoggerFactory.getLogger(ZeppelinConfiguration.class);\nprivate static ZeppelinConfiguration conf;",
"class_name": "ZeppelinConfiguration extends XMLConfiguration",
"method_signatures": "public ZeppelinConfiguration(URL url)\npublic ZeppelinConfiguration()\npublic static ZeppelinConfiguration create()\nprivate String getStringValue(String name, String d)\nprivate int getIntValue(String name, int d)\nprivate long getLongValue(String name, long d)\nprivate float getFloatValue(String name, float d)\nprivate boolean getBooleanValue(String name, boolean d)\npublic String getString(ConfVars c)\npublic String getString(String envName, String propertyName, String defaultValue)\npublic int getInt(ConfVars c)\npublic int getInt(String envName, String propertyName, int defaultValue)\npublic long getLong(ConfVars c)\npublic long getLong(String envName, String propertyName, long defaultValue)\npublic float getFloat(ConfVars c)\npublic float getFloat(String envName, String propertyName, float defaultValue)\npublic boolean getBoolean(ConfVars c)\npublic boolean getBoolean(String envName, String propertyName, boolean defaultValue)\npublic boolean useSsl()\npublic boolean useClientAuth()\npublic String getServerAddress()\npublic int getServerPort()\npublic String getServerContextPath()\npublic String getKeyStorePath()\npublic String getKeyStoreType()\npublic String getKeyStorePassword()\npublic String getKeyManagerPassword()\npublic String getTrustStorePath()\npublic String getTrustStoreType()\npublic String getTrustStorePassword()\npublic String getNotebookDir()\npublic String getUser()\npublic String getBucketName()\npublic String getInterpreterDir()\npublic String getInterpreterSettingPath()\npublic String getInterpreterRemoteRunnerPath()\npublic String getRelativeDir(ConfVars c)\npublic String getRelativeDir(String path)\npublic boolean isWindowsPath(String path)\npublic String getConfDir()\npublic List<String> getAllowedOrigins()"
} | [
{
"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: zeppelin-zengine/src/main/java/org/apache/zeppelin/conf/ZeppelinConfiguration.java for which to generate the test case is:\nclass_name: ZeppelinConfiguration extends XMLConfiguration\n\nclass_fields: private static final String ZEPPELIN_SITE_XML = \"zeppelin-site.xml\";\nprivate static final long serialVersionUID = 4749305895693848035L;\nprivate static final Logger LOG = LoggerFactory.getLogger(ZeppelinConfiguration.class);\nprivate static ZeppelinConfiguration conf;\n\nmethod_signatures: public ZeppelinConfiguration(URL url)\npublic ZeppelinConfiguration()\npublic static ZeppelinConfiguration create()\nprivate String getStringValue(String name, String d)\nprivate int getIntValue(String name, int d)\nprivate long getLongValue(String name, long d)\nprivate float getFloatValue(String name, float d)\nprivate boolean getBooleanValue(String name, boolean d)\npublic String getString(ConfVars c)\npublic String getString(String envName, String propertyName, String defaultValue)\npublic int getInt(ConfVars c)\npublic int getInt(String envName, String propertyName, int defaultValue)\npublic long getLong(ConfVars c)\npublic long getLong(String envName, String propertyName, long defaultValue)\npublic float getFloat(ConfVars c)\npublic float getFloat(String envName, String propertyName, float defaultValue)\npublic boolean getBoolean(ConfVars c)\npublic boolean getBoolean(String envName, String propertyName, boolean defaultValue)\npublic boolean useSsl()\npublic boolean useClientAuth()\npublic String getServerAddress()\npublic int getServerPort()\npublic String getServerContextPath()\npublic String getKeyStorePath()\npublic String getKeyStoreType()\npublic String getKeyStorePassword()\npublic String getKeyManagerPassword()\npublic String getTrustStorePath()\npublic String getTrustStoreType()\npublic String getTrustStorePassword()\npublic String getNotebookDir()\npublic String getUser()\npublic String getBucketName()\npublic String getInterpreterDir()\npublic String getInterpreterSettingPath()\npublic String getInterpreterRemoteRunnerPath()\npublic String getRelativeDir(ConfVars c)\npublic String getRelativeDir(String path)\npublic boolean isWindowsPath(String path)\npublic String getConfDir()\npublic List<String> getAllowedOrigins()\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: ZeppelinConfigurationTest\n\nclass_fields: \n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file zeppelin-zengine/src/main/java/org/apache/zeppelin/conf/ZeppelinConfiguration.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n public List<String> getAllowedOrigins()\n {\n if (getString(ConfVars.ZEPPELIN_ALLOWED_ORIGINS).isEmpty()) {\n return Arrays.asList(new String[0]);\n }\n\n return Arrays.asList(getString(ConfVars.ZEPPELIN_ALLOWED_ORIGINS).toLowerCase().split(\",\"));\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 zeppelin-zengine/src/test/java/org/apache/zeppelin/conf/ZeppelinConfigurationTest.java\n </TESTFILE7041>\n @Test\n public void getAllowedOrigins2Test() throws MalformedURLException, ConfigurationException {\n\n ZeppelinConfiguration conf = new ZeppelinConfiguration(this.getClass().getResource(\"/test-zeppelin-site2.xml\"));\n List<String> origins = conf.getAllowedOrigins();\n Assert.assertEquals(2, origins.size());\n Assert.assertEquals(\"http://onehost:8080\", origins.get(0));\n Assert.assertEquals(\"http://otherhost.com\", origins.get(1));\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/pdyraga/spring-batch-samples | java | spring-batch-scalability/src/main/java/com/ontheserverside/batch/bank/screening/JaroBagFuzzyMatcher.java | spring-batch-scalability/src/test/java/com/ontheserverside/batch/bank/screening/JaroBagFuzzyMatcherTest.java | @Override
public boolean sequencesMatching(final String phrase1, final String phrase2) {
final String phrase1LowerCase = removeNonAlphanumeric(phrase1).toLowerCase();
final String phrase2LowerCase = removeNonAlphanumeric(phrase2).toLowerCase();
final List<String> phrase1Bag = new ArrayList<>(Arrays.asList(phrase1LowerCase.split("\\s+")));
final List<String> phrase2Bag = new ArrayList<>(Arrays.asList(phrase2LowerCase.split("\\s+")));
if (phrase1Bag.size() == 1 && phrase2Bag.size() == 1) {
// single-word phrases deserve special treatment...
return jaroMetric(phrase1LowerCase, phrase2LowerCase) >= JARO_SINGLE_WORD_PHRASE_MIN_MATCH_FACTOR;
} else if (phrase1Bag.size() < phrase2Bag.size()) {
return compareBags(phrase1Bag, phrase2Bag) >= BAG_MIN_MATCH_FACTOR;
} else {
return compareBags(phrase2Bag, phrase1Bag) >= BAG_MIN_MATCH_FACTOR;
}
} | sequencesMatching | @Test
public void shouldMatchForOneLetterAdded() {
assertThat(matcher.sequencesMatching("terrorist", "terroristt"), is(true));
assertThat(matcher.sequencesMatching("bomb", "bombb"), is(true));
assertThat(matcher.sequencesMatching("my new gun", "my new gunn"), is(true));
assertThat(matcher.sequencesMatching("gun", "gunn"), is(true));
} | shouldMatchForOneLetterAdded | [
"toLowerCase",
"removeNonAlphanumeric",
"toLowerCase",
"removeNonAlphanumeric",
"asList",
"split",
"asList",
"split",
"size",
"size",
"jaroMetric",
"size",
"size",
"compareBags",
"compareBags"
] | [
"assertThat",
"sequencesMatching",
"is",
"assertThat",
"sequencesMatching",
"is",
"assertThat",
"sequencesMatching",
"is",
"assertThat",
"sequencesMatching",
"is"
] | {
"class_fields": "private JaroBagFuzzyMatcher matcher = new JaroBagFuzzyMatcher();",
"class_name": "JaroBagFuzzyMatcherTest"
} | {
"class_fields": "private static final double JARO_SINGLE_WORD_PHRASE_MIN_MATCH_FACTOR = 0.9;\nprivate static final double JARO_WORD_MIN_MATCH_FACTOR = 0.8333;\nprivate static final double BAG_MIN_MATCH_FACTOR = 0.932;\nprivate final InterfaceStringMetric jaroMetric = new Jaro();",
"class_name": "JaroBagFuzzyMatcher implements FuzzyMatcher",
"method_signatures": "@Override public boolean sequencesMatching(final String phrase1, final String phrase2)\nprivate double compareBags(final List<String> bagA, final List<String> bagB)\nprivate double jaroMetric(final String word1, final String word2)\nprivate String removeNonAlphanumeric(final String str)"
} | [
{
"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-batch-scalability/src/main/java/com/ontheserverside/batch/bank/screening/JaroBagFuzzyMatcher.java for which to generate the test case is:\nclass_name: JaroBagFuzzyMatcher implements FuzzyMatcher\n\nclass_fields: private static final double JARO_SINGLE_WORD_PHRASE_MIN_MATCH_FACTOR = 0.9;\nprivate static final double JARO_WORD_MIN_MATCH_FACTOR = 0.8333;\nprivate static final double BAG_MIN_MATCH_FACTOR = 0.932;\nprivate final InterfaceStringMetric jaroMetric = new Jaro();\n\nmethod_signatures: @Override public boolean sequencesMatching(final String phrase1, final String phrase2)\nprivate double compareBags(final List<String> bagA, final List<String> bagB)\nprivate double jaroMetric(final String word1, final String word2)\nprivate String removeNonAlphanumeric(final String str)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: JaroBagFuzzyMatcherTest\n\nclass_fields: private JaroBagFuzzyMatcher matcher = new JaroBagFuzzyMatcher();\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file spring-batch-scalability/src/main/java/com/ontheserverside/batch/bank/screening/JaroBagFuzzyMatcher.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public boolean sequencesMatching(final String phrase1, final String phrase2) {\n final String phrase1LowerCase = removeNonAlphanumeric(phrase1).toLowerCase();\n final String phrase2LowerCase = removeNonAlphanumeric(phrase2).toLowerCase();\n\n final List<String> phrase1Bag = new ArrayList<>(Arrays.asList(phrase1LowerCase.split(\"\\\\s+\")));\n final List<String> phrase2Bag = new ArrayList<>(Arrays.asList(phrase2LowerCase.split(\"\\\\s+\")));\n\n if (phrase1Bag.size() == 1 && phrase2Bag.size() == 1) {\n // single-word phrases deserve special treatment...\n return jaroMetric(phrase1LowerCase, phrase2LowerCase) >= JARO_SINGLE_WORD_PHRASE_MIN_MATCH_FACTOR;\n } else if (phrase1Bag.size() < phrase2Bag.size()) {\n return compareBags(phrase1Bag, phrase2Bag) >= BAG_MIN_MATCH_FACTOR;\n } else {\n return compareBags(phrase2Bag, phrase1Bag) >= BAG_MIN_MATCH_FACTOR;\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 spring-batch-scalability/src/test/java/com/ontheserverside/batch/bank/screening/JaroBagFuzzyMatcherTest.java\n </TESTFILE7041>\n @Test\n public void shouldMatchForOneLetterAdded() {\n assertThat(matcher.sequencesMatching(\"terrorist\", \"terroristt\"), is(true));\n assertThat(matcher.sequencesMatching(\"bomb\", \"bombb\"), is(true));\n assertThat(matcher.sequencesMatching(\"my new gun\", \"my new gunn\"), is(true));\n assertThat(matcher.sequencesMatching(\"gun\", \"gunn\"), is(true));\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/lorthos/incubator-zeppelin-druid | java | zeppelin-zengine/src/main/java/org/apache/zeppelin/search/LuceneSearch.java | zeppelin-zengine/src/test/java/org/apache/zeppelin/search/LuceneSearchTest.java | @Override
public void addIndexDoc(Note note) {
try {
addIndexDocAsync(note);
writer.commit();
} catch (IOException e) {
LOG.error("Failed to add note {} to index", note, e);
}
} | addIndexDoc | @Test public void indexKeyContract() throws IOException {
//give
Note note1 = newNoteWithParapgraph("Notebook1", "test");
//when
notebookIndex.addIndexDoc(note1);
//then
String id = resultForQuery("test").get(0).get(LuceneSearch.ID_FIELD);
assertThat(Splitter.on("/").split(id)) //key structure <noteId>/paragraph/<paragraphId>
.containsAllOf(note1.getId(), LuceneSearch.PARAGRAPH, note1.getLastParagraph().getId());
} | indexKeyContract | [
"addIndexDocAsync",
"commit",
"error"
] | [
"newNoteWithParapgraph",
"addIndexDoc",
"get",
"get",
"resultForQuery",
"containsAllOf",
"assertThat",
"split",
"on",
"getId",
"getId",
"getLastParagraph"
] | {
"class_fields": "private static NoteInterpreterLoader replLoaderMock;\nprivate static NotebookRepo notebookRepoMock;\nprivate SearchService notebookIndex;",
"class_name": "LuceneSearchTest"
} | {
"class_fields": "private static final Logger LOG = LoggerFactory.getLogger(LuceneSearch.class);\nprivate static final String SEARCH_FIELD = \"contents\";\nstatic final String PARAGRAPH = \"paragraph\";\nstatic final String ID_FIELD = \"id\";\nDirectory ramDirectory;\nAnalyzer analyzer;\nIndexWriterConfig iwc;\nIndexWriter writer;",
"class_name": "LuceneSearch implements SearchService",
"method_signatures": "public LuceneSearch()\n@Override public List<Map<String, String>> query(String queryStr)\nprivate List<Map<String, String>> doSearch(IndexSearcher searcher, Query query,\n Analyzer analyzer, Highlighter highlighter)\n@Override public void updateIndexDoc(Note note)\nprivate void updateIndexNoteName(Note note)\nprivate void updateIndexParagraph(Note note, Paragraph p)\nprivate void updateDoc(String noteId, String noteName, Paragraph p)\nstatic String formatId(String noteId, Paragraph p)\nstatic String formatDeleteId(String noteId, Paragraph p)\nprivate Document newDocument(String id, String noteName, Paragraph p)\n@Override public void addIndexDocs(Collection<Note> collection)\n@Override public void addIndexDoc(Note note)\nprivate void addIndexDocAsync(Note note)\n@Override public void deleteIndexDocs(Note note)\n@Override public void deleteIndexDoc(Note note, Paragraph p)\nprivate void deleteDoc(Note note, Paragraph p)\n@Override public void close()\nprivate void indexNoteName(IndexWriter w, String noteId, String noteName)\nprivate void indexDoc(IndexWriter w, String noteId, String noteName, Paragraph p)"
} | [
{
"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: zeppelin-zengine/src/main/java/org/apache/zeppelin/search/LuceneSearch.java for which to generate the test case is:\nclass_name: LuceneSearch implements SearchService\n\nclass_fields: private static final Logger LOG = LoggerFactory.getLogger(LuceneSearch.class);\nprivate static final String SEARCH_FIELD = \"contents\";\nstatic final String PARAGRAPH = \"paragraph\";\nstatic final String ID_FIELD = \"id\";\nDirectory ramDirectory;\nAnalyzer analyzer;\nIndexWriterConfig iwc;\nIndexWriter writer;\n\nmethod_signatures: public LuceneSearch()\n@Override public List<Map<String, String>> query(String queryStr)\nprivate List<Map<String, String>> doSearch(IndexSearcher searcher, Query query,\n Analyzer analyzer, Highlighter highlighter)\n@Override public void updateIndexDoc(Note note)\nprivate void updateIndexNoteName(Note note)\nprivate void updateIndexParagraph(Note note, Paragraph p)\nprivate void updateDoc(String noteId, String noteName, Paragraph p)\nstatic String formatId(String noteId, Paragraph p)\nstatic String formatDeleteId(String noteId, Paragraph p)\nprivate Document newDocument(String id, String noteName, Paragraph p)\n@Override public void addIndexDocs(Collection<Note> collection)\n@Override public void addIndexDoc(Note note)\nprivate void addIndexDocAsync(Note note)\n@Override public void deleteIndexDocs(Note note)\n@Override public void deleteIndexDoc(Note note, Paragraph p)\nprivate void deleteDoc(Note note, Paragraph p)\n@Override public void close()\nprivate void indexNoteName(IndexWriter w, String noteId, String noteName)\nprivate void indexDoc(IndexWriter w, String noteId, String noteName, Paragraph p)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: LuceneSearchTest\n\nclass_fields: private static NoteInterpreterLoader replLoaderMock;\nprivate static NotebookRepo notebookRepoMock;\nprivate SearchService notebookIndex;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file zeppelin-zengine/src/main/java/org/apache/zeppelin/search/LuceneSearch.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public void addIndexDoc(Note note) {\n try {\n addIndexDocAsync(note);\n writer.commit();\n } catch (IOException e) {\n LOG.error(\"Failed to add note {} to index\", note, 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 zeppelin-zengine/src/test/java/org/apache/zeppelin/search/LuceneSearchTest.java\n </TESTFILE7041>\n @Test public void indexKeyContract() throws IOException {\n //give\n Note note1 = newNoteWithParapgraph(\"Notebook1\", \"test\");\n //when\n notebookIndex.addIndexDoc(note1);\n //then\n String id = resultForQuery(\"test\").get(0).get(LuceneSearch.ID_FIELD);\n\n assertThat(Splitter.on(\"/\").split(id)) //key structure <noteId>/paragraph/<paragraphId>\n .containsAllOf(note1.getId(), LuceneSearch.PARAGRAPH, note1.getLastParagraph().getId());\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/pdyraga/spring-batch-samples | java | spring-batch-scalability/src/main/java/com/ontheserverside/batch/bank/screening/JaroBagFuzzyMatcher.java | spring-batch-scalability/src/test/java/com/ontheserverside/batch/bank/screening/JaroBagFuzzyMatcherTest.java | @Override
public boolean sequencesMatching(final String phrase1, final String phrase2) {
final String phrase1LowerCase = removeNonAlphanumeric(phrase1).toLowerCase();
final String phrase2LowerCase = removeNonAlphanumeric(phrase2).toLowerCase();
final List<String> phrase1Bag = new ArrayList<>(Arrays.asList(phrase1LowerCase.split("\\s+")));
final List<String> phrase2Bag = new ArrayList<>(Arrays.asList(phrase2LowerCase.split("\\s+")));
if (phrase1Bag.size() == 1 && phrase2Bag.size() == 1) {
// single-word phrases deserve special treatment...
return jaroMetric(phrase1LowerCase, phrase2LowerCase) >= JARO_SINGLE_WORD_PHRASE_MIN_MATCH_FACTOR;
} else if (phrase1Bag.size() < phrase2Bag.size()) {
return compareBags(phrase1Bag, phrase2Bag) >= BAG_MIN_MATCH_FACTOR;
} else {
return compareBags(phrase2Bag, phrase1Bag) >= BAG_MIN_MATCH_FACTOR;
}
} | sequencesMatching | @Test
public void shouldMatchForOneLetterTypos() {
assertThat(matcher.sequencesMatching("jovn rambo", "john rambo"), is(true));
assertThat(matcher.sequencesMatching("john rampo", "john rambo"), is(true));
} | shouldMatchForOneLetterTypos | [
"toLowerCase",
"removeNonAlphanumeric",
"toLowerCase",
"removeNonAlphanumeric",
"asList",
"split",
"asList",
"split",
"size",
"size",
"jaroMetric",
"size",
"size",
"compareBags",
"compareBags"
] | [
"assertThat",
"sequencesMatching",
"is",
"assertThat",
"sequencesMatching",
"is"
] | {
"class_fields": "private JaroBagFuzzyMatcher matcher = new JaroBagFuzzyMatcher();",
"class_name": "JaroBagFuzzyMatcherTest"
} | {
"class_fields": "private static final double JARO_SINGLE_WORD_PHRASE_MIN_MATCH_FACTOR = 0.9;\nprivate static final double JARO_WORD_MIN_MATCH_FACTOR = 0.8333;\nprivate static final double BAG_MIN_MATCH_FACTOR = 0.932;\nprivate final InterfaceStringMetric jaroMetric = new Jaro();",
"class_name": "JaroBagFuzzyMatcher implements FuzzyMatcher",
"method_signatures": "@Override public boolean sequencesMatching(final String phrase1, final String phrase2)\nprivate double compareBags(final List<String> bagA, final List<String> bagB)\nprivate double jaroMetric(final String word1, final String word2)\nprivate String removeNonAlphanumeric(final String str)"
} | [
{
"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-batch-scalability/src/main/java/com/ontheserverside/batch/bank/screening/JaroBagFuzzyMatcher.java for which to generate the test case is:\nclass_name: JaroBagFuzzyMatcher implements FuzzyMatcher\n\nclass_fields: private static final double JARO_SINGLE_WORD_PHRASE_MIN_MATCH_FACTOR = 0.9;\nprivate static final double JARO_WORD_MIN_MATCH_FACTOR = 0.8333;\nprivate static final double BAG_MIN_MATCH_FACTOR = 0.932;\nprivate final InterfaceStringMetric jaroMetric = new Jaro();\n\nmethod_signatures: @Override public boolean sequencesMatching(final String phrase1, final String phrase2)\nprivate double compareBags(final List<String> bagA, final List<String> bagB)\nprivate double jaroMetric(final String word1, final String word2)\nprivate String removeNonAlphanumeric(final String str)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: JaroBagFuzzyMatcherTest\n\nclass_fields: private JaroBagFuzzyMatcher matcher = new JaroBagFuzzyMatcher();\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file spring-batch-scalability/src/main/java/com/ontheserverside/batch/bank/screening/JaroBagFuzzyMatcher.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public boolean sequencesMatching(final String phrase1, final String phrase2) {\n final String phrase1LowerCase = removeNonAlphanumeric(phrase1).toLowerCase();\n final String phrase2LowerCase = removeNonAlphanumeric(phrase2).toLowerCase();\n\n final List<String> phrase1Bag = new ArrayList<>(Arrays.asList(phrase1LowerCase.split(\"\\\\s+\")));\n final List<String> phrase2Bag = new ArrayList<>(Arrays.asList(phrase2LowerCase.split(\"\\\\s+\")));\n\n if (phrase1Bag.size() == 1 && phrase2Bag.size() == 1) {\n // single-word phrases deserve special treatment...\n return jaroMetric(phrase1LowerCase, phrase2LowerCase) >= JARO_SINGLE_WORD_PHRASE_MIN_MATCH_FACTOR;\n } else if (phrase1Bag.size() < phrase2Bag.size()) {\n return compareBags(phrase1Bag, phrase2Bag) >= BAG_MIN_MATCH_FACTOR;\n } else {\n return compareBags(phrase2Bag, phrase1Bag) >= BAG_MIN_MATCH_FACTOR;\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 spring-batch-scalability/src/test/java/com/ontheserverside/batch/bank/screening/JaroBagFuzzyMatcherTest.java\n </TESTFILE7041>\n @Test\n public void shouldMatchForOneLetterTypos() {\n assertThat(matcher.sequencesMatching(\"jovn rambo\", \"john rambo\"), is(true));\n assertThat(matcher.sequencesMatching(\"john rampo\", \"john rambo\"), is(true));\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/mycila/license-maven-plugin | java | license-maven-plugin-git/src/main/java/com/mycila/maven/plugin/license/git/GitPathResolver.java | license-maven-plugin-git/src/test/java/com/mycila/maven/plugin/license/git/GitPathResolverTest.java | String relativize(String absoluteNativePath) {
if (!absoluteNativePath.startsWith(repositoryRootDir)) {
throw new RuntimeException("Cannot relativize path '" + absoluteNativePath + "' to directory '"
+ repositoryRootDir + "'");
}
String result = absoluteNativePath.substring(repositoryRootDir.length());
if (nativePathSeparator != CANONICAL_PATH_SEPARATOR) {
result = result.replace(nativePathSeparator, CANONICAL_PATH_SEPARATOR);
}
return result;
} | relativize | @Test
public void relativize() throws Exception {
/* *nix-like */
assertRelativized("/path/to/my/git/repo", '/', "/path/to/my/git/repo/dir/file.txt", "dir/file.txt");
assertRelativized("/path/to/my/git/repo/", '/', "/path/to/my/git/repo/dir/file.txt", "dir/file.txt");
assertFail("/path/to/my/git/repo/", '/', "/path/to/other/git/repo/dir/file.txt");
/* Windows */
assertRelativized("c:\\path\\to\\my\\repo", '\\', "c:\\path\\to\\my\\repo\\dir\\file.txt", "dir/file.txt");
assertRelativized("c:\\path\\to\\my\\repo\\", '\\', "c:\\path\\to\\my\\repo\\dir\\file.txt", "dir/file.txt");
assertRelativized("\\\\path\\to\\my\\repo", '\\', "\\\\path\\to\\my\\repo\\dir\\file.txt", "dir/file.txt");
assertRelativized("\\\\path\\to\\my\\repo\\", '\\', "\\\\path\\to\\my\\repo\\dir\\file.txt", "dir/file.txt");
assertFail("c:\\path\\to\\my\\repo\\", '\\', "c:\\path\\to\\other\\repo\\dir\\file.txt");
} | relativize | [
"startsWith",
"substring",
"length",
"replace"
] | [
"assertRelativized",
"assertRelativized",
"assertFail",
"assertRelativized",
"assertRelativized",
"assertRelativized",
"assertRelativized",
"assertFail"
] | {
"class_fields": "",
"class_name": "GitPathResolverTest"
} | {
"class_fields": "private static final char CANONICAL_PATH_SEPARATOR = '/';\nprivate final char nativePathSeparator;\nprivate final String repositoryRootDir;",
"class_name": "GitPathResolver",
"method_signatures": "public GitPathResolver(String repositoryRootDir)\n GitPathResolver(String repositoryRootDir, char nativePathSeparator)\n String relativize(String absoluteNativePath)\npublic String relativize(File path)"
} | [
{
"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: license-maven-plugin-git/src/main/java/com/mycila/maven/plugin/license/git/GitPathResolver.java for which to generate the test case is:\nclass_name: GitPathResolver\n\nclass_fields: private static final char CANONICAL_PATH_SEPARATOR = '/';\nprivate final char nativePathSeparator;\nprivate final String repositoryRootDir;\n\nmethod_signatures: public GitPathResolver(String repositoryRootDir)\n GitPathResolver(String repositoryRootDir, char nativePathSeparator)\n String relativize(String absoluteNativePath)\npublic String relativize(File path)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: GitPathResolverTest\n\nclass_fields: \n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file license-maven-plugin-git/src/main/java/com/mycila/maven/plugin/license/git/GitPathResolver.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n String relativize(String absoluteNativePath) {\n if (!absoluteNativePath.startsWith(repositoryRootDir)) {\n throw new RuntimeException(\"Cannot relativize path '\" + absoluteNativePath + \"' to directory '\"\n + repositoryRootDir + \"'\");\n }\n String result = absoluteNativePath.substring(repositoryRootDir.length());\n if (nativePathSeparator != CANONICAL_PATH_SEPARATOR) {\n result = result.replace(nativePathSeparator, CANONICAL_PATH_SEPARATOR);\n }\n return result;\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 license-maven-plugin-git/src/test/java/com/mycila/maven/plugin/license/git/GitPathResolverTest.java\n </TESTFILE7041>\n @Test\n public void relativize() throws Exception {\n /* *nix-like */\n assertRelativized(\"/path/to/my/git/repo\", '/', \"/path/to/my/git/repo/dir/file.txt\", \"dir/file.txt\");\n assertRelativized(\"/path/to/my/git/repo/\", '/', \"/path/to/my/git/repo/dir/file.txt\", \"dir/file.txt\");\n\n assertFail(\"/path/to/my/git/repo/\", '/', \"/path/to/other/git/repo/dir/file.txt\");\n\n /* Windows */\n assertRelativized(\"c:\\\\path\\\\to\\\\my\\\\repo\", '\\\\', \"c:\\\\path\\\\to\\\\my\\\\repo\\\\dir\\\\file.txt\", \"dir/file.txt\");\n assertRelativized(\"c:\\\\path\\\\to\\\\my\\\\repo\\\\\", '\\\\', \"c:\\\\path\\\\to\\\\my\\\\repo\\\\dir\\\\file.txt\", \"dir/file.txt\");\n assertRelativized(\"\\\\\\\\path\\\\to\\\\my\\\\repo\", '\\\\', \"\\\\\\\\path\\\\to\\\\my\\\\repo\\\\dir\\\\file.txt\", \"dir/file.txt\");\n assertRelativized(\"\\\\\\\\path\\\\to\\\\my\\\\repo\\\\\", '\\\\', \"\\\\\\\\path\\\\to\\\\my\\\\repo\\\\dir\\\\file.txt\", \"dir/file.txt\");\n\n assertFail(\"c:\\\\path\\\\to\\\\my\\\\repo\\\\\", '\\\\', \"c:\\\\path\\\\to\\\\other\\\\repo\\\\dir\\\\file.txt\");\n\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |
https://github.com/pdyraga/spring-batch-samples | java | spring-batch-scalability/src/main/java/com/ontheserverside/batch/bank/screening/SanctionScreeningProcessor.java | spring-batch-scalability/src/test/java/com/ontheserverside/batch/bank/screening/SanctionScreeningProcessorTest.java | @Override
public SanctionMatch process(SanctionScreeningContext context) {
final Elixir0Transaction transaction = context.getTransaction();
final SDNEntity sdnEntity = context.getSdnEntity();
if (matcher.matches(transaction, sdnEntity)) {
return new SanctionMatch(transaction, sdnEntity);
}
return null;
} | process | @Test
public void shouldMatchSanctionForOrderingPartyAddress() {
expect(mockFuzzyMatcher.sequencesMatching(BENEFICIARY_NAME, SDN_ENTITY_NAME)).andReturn(false);
expect(mockFuzzyMatcher.sequencesMatching(ORDERING_PARTY_NAME, SDN_ENTITY_NAME)).andReturn(false);
expect(mockFuzzyMatcher.sequencesMatching(BENEFICIARY_ADDRESS_FULL, SDN_ENTITY_ADDRESS_FULL)).andReturn(false);
expect(mockFuzzyMatcher.sequencesMatching(ORDERING_PARTY_ADDRESS_FULL, SDN_ENTITY_ADDRESS_FULL)).andReturn(true);
replay(mockFuzzyMatcher);
final SanctionMatch match = processor.process(context);
verify(mockFuzzyMatcher);
assertSanctionMatched(match);
} | shouldMatchSanctionForOrderingPartyAddress | [
"getTransaction",
"getSdnEntity",
"matches"
] | [
"andReturn",
"expect",
"sequencesMatching",
"andReturn",
"expect",
"sequencesMatching",
"andReturn",
"expect",
"sequencesMatching",
"andReturn",
"expect",
"sequencesMatching",
"replay",
"process",
"verify",
"assertSanctionMatched"
] | {
"class_fields": "private static final String BENEFICIARY_NAME = \"Brandon Beer\";\nprivate static final String ORDERING_PARTY_NAME = \"Marcelle Rhee\";\nprivate static final String BENEFICIARY_ADDRESS_FULL = \"Sienkiewicza 10 Kielce Poland\";\nprivate static final String ORDERING_PARTY_ADDRESS_FULL = \"Meerschweinchen Platz 10 Berlin Germany\";\nprivate static final String SDN_ENTITY_NAME = \"Daniele Hagen\";\nprivate static final String SDN_ENTITY_ALTERNATE_NAME = \"Melanie Blundell\";\nprivate static final String SDN_ENTITY_ADDRESS = \"Sunnyside 13C\";\nprivate static final String SDN_ENTITY_CITY = \"New York\";\nprivate static final String SDN_ENTITY_COUNTRY = \"USA\";\nprivate static final String SDN_ENTITY_ADDRESS_FULL = \"Sunnyside 13C New York USA\";\nprivate FuzzyMatcher mockFuzzyMatcher;\nprivate SanctionScreeningProcessor processor;\nprivate SanctionScreeningContext context;",
"class_name": "SanctionScreeningProcessorTest"
} | {
"class_fields": "@Autowired\n private FuzzyMatcher fuzzyMatcher;\nprivate final AbstractMatcher matcher = new CompositeMatcher(asList(\n new BeneficiaryNameMatcher(),\n new OrderingPartyNameMatcher(),\n new BeneficiaryAddressMatcher(),\n new OrderingPartyAddressMatcher(),\n new BeneficiaryAlternateNameMatcher(),\n new OrderingPartyAlternateNameMatcher()\n ));",
"class_name": "SanctionScreeningProcessor implements ItemProcessor<SanctionScreeningContext, SanctionMatch>",
"method_signatures": "@Override public SanctionMatch process(SanctionScreeningContext 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: spring-batch-scalability/src/main/java/com/ontheserverside/batch/bank/screening/SanctionScreeningProcessor.java for which to generate the test case is:\nclass_name: SanctionScreeningProcessor implements ItemProcessor<SanctionScreeningContext, SanctionMatch>\n\nclass_fields: @Autowired\n private FuzzyMatcher fuzzyMatcher;\nprivate final AbstractMatcher matcher = new CompositeMatcher(asList(\n new BeneficiaryNameMatcher(),\n new OrderingPartyNameMatcher(),\n new BeneficiaryAddressMatcher(),\n new OrderingPartyAddressMatcher(),\n new BeneficiaryAlternateNameMatcher(),\n new OrderingPartyAlternateNameMatcher()\n ));\n\nmethod_signatures: @Override public SanctionMatch process(SanctionScreeningContext context)\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "Codebase Context from the existing test file:\nclass_name: SanctionScreeningProcessorTest\n\nclass_fields: private static final String BENEFICIARY_NAME = \"Brandon Beer\";\nprivate static final String ORDERING_PARTY_NAME = \"Marcelle Rhee\";\nprivate static final String BENEFICIARY_ADDRESS_FULL = \"Sienkiewicza 10 Kielce Poland\";\nprivate static final String ORDERING_PARTY_ADDRESS_FULL = \"Meerschweinchen Platz 10 Berlin Germany\";\nprivate static final String SDN_ENTITY_NAME = \"Daniele Hagen\";\nprivate static final String SDN_ENTITY_ALTERNATE_NAME = \"Melanie Blundell\";\nprivate static final String SDN_ENTITY_ADDRESS = \"Sunnyside 13C\";\nprivate static final String SDN_ENTITY_CITY = \"New York\";\nprivate static final String SDN_ENTITY_COUNTRY = \"USA\";\nprivate static final String SDN_ENTITY_ADDRESS_FULL = \"Sunnyside 13C New York USA\";\nprivate FuzzyMatcher mockFuzzyMatcher;\nprivate SanctionScreeningProcessor processor;\nprivate SanctionScreeningContext context;\n\n",
"role": "user"
},
{
"content": "Ok.",
"role": "assistant"
},
{
"content": "\n Here is my selected code from my codebase file spring-batch-scalability/src/main/java/com/ontheserverside/batch/bank/screening/SanctionScreeningProcessor.java, enclosed in <SELECTEDCODE7662> tags:\n <SELECTEDCODE7662>\n @Override\n public SanctionMatch process(SanctionScreeningContext context) {\n final Elixir0Transaction transaction = context.getTransaction();\n final SDNEntity sdnEntity = context.getSdnEntity();\n\n if (matcher.matches(transaction, sdnEntity)) {\n return new SanctionMatch(transaction, sdnEntity);\n }\n\n return null;\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 spring-batch-scalability/src/test/java/com/ontheserverside/batch/bank/screening/SanctionScreeningProcessorTest.java\n </TESTFILE7041>\n @Test\n public void shouldMatchSanctionForOrderingPartyAddress() {\n expect(mockFuzzyMatcher.sequencesMatching(BENEFICIARY_NAME, SDN_ENTITY_NAME)).andReturn(false);\n expect(mockFuzzyMatcher.sequencesMatching(ORDERING_PARTY_NAME, SDN_ENTITY_NAME)).andReturn(false);\n expect(mockFuzzyMatcher.sequencesMatching(BENEFICIARY_ADDRESS_FULL, SDN_ENTITY_ADDRESS_FULL)).andReturn(false);\n expect(mockFuzzyMatcher.sequencesMatching(ORDERING_PARTY_ADDRESS_FULL, SDN_ENTITY_ADDRESS_FULL)).andReturn(true);\n replay(mockFuzzyMatcher);\n\n final SanctionMatch match = processor.process(context);\n\n verify(mockFuzzyMatcher);\n assertSanctionMatched(match);\n }\n </CODE5711>\n ",
"role": "assistant"
}
] |