Spock unclear assertion behavior - unit-testing
As I know, one way to verify test result is to write expressions into the then section, that evaluates to boolean.
However lately I experienced a behavior which I don't understand. It seems like when one tries to verify something, that is in a block, then assertion only works with an explicit assert keyword.
Here is the example. I wrote a dummy if statement to have a block, but it's the same with a for loop or any control flow.
def "test fails as expected"() {
when: "result has some value"
def result = "someValue"
then: "result has the expected value"
result == "otherValue"
}
def "test passes, but shouldn't"() {
when: "result has some value"
def result = "someValue"
then: "result has the expected value"
if (true) {
result == "otherValue"
}
}
def "test fails as expected when using assert"() {
when: "result has some value"
def result = "someValue"
then: "result has the expected value"
if (true) {
assert result == "otherValue"
}
}
I find this behavior a bit misleading. Can someone explain why it works that way? Is this a bug or the usage is incorrect?
Following Spock documentation:
The when and then blocks always occur together. They describe a stimulus and the expected response. Whereas when blocks may contain arbitrary code, then blocks are restricted to conditions, exception conditions, interactions, and variable definitions. A feature method may contain multiple pairs of when-then blocks.
This explains why Spocks AST transformer does not see the following then block:
then:
if (true) {
result == "otherValue"
}
as a correct one and it does not transform it to SpockRuntime.verifyCondition() invocation.
If you compile your class (with static compilation enabled for better readability) and check the bytecode you will see something similar to this:
//
// Source code recreated from a .class file by IntelliJ IDEA
// (powered by Fernflower decompiler)
//
import groovy.lang.GroovyObject;
import org.codehaus.groovy.runtime.DefaultGroovyMethods;
import org.codehaus.groovy.runtime.ScriptBytecodeAdapter;
import org.spockframework.runtime.ErrorCollector;
import org.spockframework.runtime.SpockRuntime;
import org.spockframework.runtime.ValueRecorder;
import org.spockframework.runtime.model.BlockKind;
import org.spockframework.runtime.model.BlockMetadata;
import org.spockframework.runtime.model.FeatureMetadata;
import org.spockframework.runtime.model.SpecMetadata;
import spock.lang.Specification;
#SpecMetadata(
filename = "OtherSpec.groovy",
line = 4
)
public class OtherSpec extends Specification implements GroovyObject {
public OtherSpec() {
}
public Object test(String result) {
return true ? ScriptBytecodeAdapter.compareEqual(result, "otherValue") : null;
}
#FeatureMetadata(
line = 7,
name = "test fails as expected",
ordinal = 0,
blocks = {#BlockMetadata(
kind = BlockKind.WHEN,
texts = {"result has some value"}
), #BlockMetadata(
kind = BlockKind.THEN,
texts = {"result has the expected value"}
)},
parameterNames = {}
)
public void $spock_feature_0_0() {
ErrorCollector $spock_errorCollector = new ErrorCollector(false);
ValueRecorder $spock_valueRecorder = new ValueRecorder();
Object var10000;
try {
String result = "someValue";
try {
SpockRuntime.verifyCondition($spock_errorCollector, $spock_valueRecorder.reset(), "result == \"otherValue\"", Integer.valueOf(12), Integer.valueOf(9), (Object)null, $spock_valueRecorder.record($spock_valueRecorder.startRecordingValue(Integer.valueOf(2)), ScriptBytecodeAdapter.compareEqual($spock_valueRecorder.record($spock_valueRecorder.startRecordingValue(Integer.valueOf(0)), result), $spock_valueRecorder.record($spock_valueRecorder.startRecordingValue(Integer.valueOf(1)), "otherValue"))));
var10000 = null;
} catch (Throwable var13) {
SpockRuntime.conditionFailedWithException($spock_errorCollector, $spock_valueRecorder, "result == \"otherValue\"", Integer.valueOf(12), Integer.valueOf(9), (Object)null, var13);
var10000 = null;
} finally {
;
}
ScriptBytecodeAdapter.invokeMethod0(OtherSpec.class, ((OtherSpec)this).getSpecificationContext().getMockController(), (String)"leaveScope");
} finally {
$spock_errorCollector.validateCollectedErrors();
var10000 = null;
}
}
#FeatureMetadata(
line = 15,
name = "test passes, but shouldn't",
ordinal = 1,
blocks = {#BlockMetadata(
kind = BlockKind.WHEN,
texts = {"result has some value"}
), #BlockMetadata(
kind = BlockKind.THEN,
texts = {"result has the expected value"}
)},
parameterNames = {}
)
public void $spock_feature_0_1() {
String result = "someValue";
if (true) {
ScriptBytecodeAdapter.compareEqual(result, "otherValue");
}
ScriptBytecodeAdapter.invokeMethod0(OtherSpec.class, ((OtherSpec)this).getSpecificationContext().getMockController(), (String)"leaveScope");
}
#FeatureMetadata(
line = 25,
name = "test fails as expected when using assert",
ordinal = 2,
blocks = {#BlockMetadata(
kind = BlockKind.WHEN,
texts = {"result has some value"}
), #BlockMetadata(
kind = BlockKind.THEN,
texts = {"result has the expected value"}
)},
parameterNames = {}
)
public void $spock_feature_0_2() {
ErrorCollector $spock_errorCollector = new ErrorCollector(false);
ValueRecorder $spock_valueRecorder = new ValueRecorder();
Object var10000;
try {
String result = "someValue";
DefaultGroovyMethods.println(this, this.test("otherValue"));
var10000 = null;
if (true) {
try {
SpockRuntime.verifyCondition($spock_errorCollector, $spock_valueRecorder.reset(), "result == \"otherValue\"", Integer.valueOf(32), Integer.valueOf(20), (Object)null, $spock_valueRecorder.record($spock_valueRecorder.startRecordingValue(Integer.valueOf(2)), ScriptBytecodeAdapter.compareEqual($spock_valueRecorder.record($spock_valueRecorder.startRecordingValue(Integer.valueOf(0)), result), $spock_valueRecorder.record($spock_valueRecorder.startRecordingValue(Integer.valueOf(1)), "otherValue"))));
var10000 = null;
} catch (Throwable var13) {
SpockRuntime.conditionFailedWithException($spock_errorCollector, $spock_valueRecorder, "result == \"otherValue\"", Integer.valueOf(32), Integer.valueOf(20), (Object)null, var13);
var10000 = null;
} finally {
;
}
}
ScriptBytecodeAdapter.invokeMethod0(OtherSpec.class, ((OtherSpec)this).getSpecificationContext().getMockController(), (String)"leaveScope");
} finally {
$spock_errorCollector.validateCollectedErrors();
var10000 = null;
}
}
}
Now, if we analyze this code, we will find out that the following Spock test case:
def "test fails as expected"() {
when: "result has some value"
def result = "someValue"
then: "result has the expected value"
result == "otherValue"
}
compiles to something like this:
public void $spock_feature_0_0() {
ErrorCollector $spock_errorCollector = new ErrorCollector(false);
ValueRecorder $spock_valueRecorder = new ValueRecorder();
Object var10000;
try {
String result = "someValue";
try {
SpockRuntime.verifyCondition($spock_errorCollector, $spock_valueRecorder.reset(), "result == \"otherValue\"", Integer.valueOf(12), Integer.valueOf(9), (Object)null, $spock_valueRecorder.record($spock_valueRecorder.startRecordingValue(Integer.valueOf(2)), ScriptBytecodeAdapter.compareEqual($spock_valueRecorder.record($spock_valueRecorder.startRecordingValue(Integer.valueOf(0)), result), $spock_valueRecorder.record($spock_valueRecorder.startRecordingValue(Integer.valueOf(1)), "otherValue"))));
var10000 = null;
} catch (Throwable var13) {
SpockRuntime.conditionFailedWithException($spock_errorCollector, $spock_valueRecorder, "result == \"otherValue\"", Integer.valueOf(12), Integer.valueOf(9), (Object)null, var13);
var10000 = null;
} finally {
;
}
ScriptBytecodeAdapter.invokeMethod0(OtherSpec.class, ((OtherSpec)this).getSpecificationContext().getMockController(), (String)"leaveScope");
} finally {
$spock_errorCollector.validateCollectedErrors();
var10000 = null;
}
}
And the test case where you put assertion inside if-statement:
def "test passes, but shouldn't"() {
when: "result has some value"
def result = "someValue"
then: "result has the expected value"
if (true) {
result == "otherValue"
}
}
compiles to something like this:
public void $spock_feature_0_1() {
String result = "someValue";
if (true) {
ScriptBytecodeAdapter.compareEqual(result, "otherValue");
}
ScriptBytecodeAdapter.invokeMethod0(OtherSpec.class, ((OtherSpec)this).getSpecificationContext().getMockController(), (String)"leaveScope");
}
If you are interested in investigating the source code of this AST transformation you can start by analyzing:
org.spockframework.compiler.SpecRewriter.visitThenBlock() method
org.spockframework.compiler.DeepBlockRewriter.handleImplicitCondition() method
And for the last use case - adding assert to the if-statement block is the explicit instruction for Spock that it has to be transformed to verification condition invocation. That's why you see the bytecode that decompiles to something like this:
public void $spock_feature_0_2() {
ErrorCollector $spock_errorCollector = new ErrorCollector(false);
ValueRecorder $spock_valueRecorder = new ValueRecorder();
Object var10000;
try {
String result = "someValue";
DefaultGroovyMethods.println(this, this.test("otherValue"));
var10000 = null;
if (true) {
try {
SpockRuntime.verifyCondition($spock_errorCollector, $spock_valueRecorder.reset(), "result == \"otherValue\"", Integer.valueOf(32), Integer.valueOf(20), (Object)null, $spock_valueRecorder.record($spock_valueRecorder.startRecordingValue(Integer.valueOf(2)), ScriptBytecodeAdapter.compareEqual($spock_valueRecorder.record($spock_valueRecorder.startRecordingValue(Integer.valueOf(0)), result), $spock_valueRecorder.record($spock_valueRecorder.startRecordingValue(Integer.valueOf(1)), "otherValue"))));
var10000 = null;
} catch (Throwable var13) {
SpockRuntime.conditionFailedWithException($spock_errorCollector, $spock_valueRecorder, "result == \"otherValue\"", Integer.valueOf(32), Integer.valueOf(20), (Object)null, var13);
var10000 = null;
} finally {
;
}
}
ScriptBytecodeAdapter.invokeMethod0(OtherSpec.class, ((OtherSpec)this).getSpecificationContext().getMockController(), (String)"leaveScope");
} finally {
$spock_errorCollector.validateCollectedErrors();
var10000 = null;
}
}
Notice that if (true) { /*...*/ } is still present because AST transformer still ignores transforming it, but the condition:
assert result == "otherValue"
was visited and accepted by the AST transformer, and replaced by:
SpockRuntime.verifyCondition($spock_errorCollector, $spock_valueRecorder.reset(), "result == \"otherValue\"", Integer.valueOf(32), Integer.valueOf(20), (Object)null, $spock_valueRecorder.record($spock_valueRecorder.startRecordingValue(Integer.valueOf(2)), ScriptBytecodeAdapter.compareEqual($spock_valueRecorder.record($spock_valueRecorder.startRecordingValue(Integer.valueOf(0)), result), $spock_valueRecorder.record($spock_valueRecorder.startRecordingValue(Integer.valueOf(1)), "otherValue"))));
Related
how to write an test case for below groovy code?
def withLocal(Closure cl) { def credentialsId = env.CREDENTIALS_ID if (credentialsId) { echo("credentials Id=${credentialsId}") } else { throw new Exception("credentials not setup - env.CREDENTIALS_ID") } } Excepting shouldFail and ShouldPass test cases for above groovy code.
Depending on the test-framework, the code might be slightly different, but I would put it like so: class A { def withLocal(Closure cl) { def credentialsId = env.CREDENTIALS_ID if (credentialsId) { echo("credentials Id=${credentialsId}") } else { throw new Exception("credentials not setup - env.CREDENTIALS_ID") } } } // Test // test 1 should pass: check if echo is called // mock env with some value A.metaClass.env = [ CREDENTIALS_ID:'abz123' ] String out // mock echo() A.metaClass.echo = { out = it } A a = new A() a.withLocal{} assert out == 'credentials Id=abz123' // test 2 should fail: check if exception thrown // mock env with empty map A.metaClass.env = [:] a = new A() try{ a.withLocal{} }catch( e ){ assert e.message == 'credentials not setup - env.CREDENTIALS_ID' }
Kotlin Coroutines Unit Testing
Im trying to test this suspend function: suspend fun <T> getResult(call: suspend () -> Response<T>): Resource<T> { val response = call() val body = response.body() val code = response.code() if (response.isSuccessful) { Log.d(Cybrid.instance.tag, "Data: ${response.code()} - ${response.body()}") return Resource.success(body!!, code) } else if (response.code() == HTTP_UNAUTHORIZED || response.code() == HTTP_FORBIDDEN) { Cybrid.instance.let { cybrid -> cybrid.listener.let { cybrid.invalidToken = true it?.onTokenExpired() } } Log.e(Cybrid.instance.tag, "Error - Something wrong with TOKEN : ${response.code()} ${response.message()}") return Resource.error(response.message(), code=response.code()) } else { Log.e(Cybrid.instance.tag, "Error - Other: ${response.code()} ${response.message()} :: ${response.raw()}") return Resource.error(message = response.message(), data= response.body(), code= response.code()) } } With this Unit Test Case, all it cover except line 13 , I dont know how to cover the line!!! #ExperimentalCoroutinesApi #Test fun get400ErrorServerTest() = runBlocking { Cybrid.instance.setBearer("Bearer") val pricesService = AppModule.getClient().createService(PricesApi::class.java) val result = getResult { pricesService.listPrices() } Assert.assertNotNull(result) Assert.assertEquals(result.code, 400) Assert.assertNull(result.data) } The coverage report says: Some idea to get coverage for line 13 ??? Thnanks
How to unit test unformatted method in mvc?
I have to unit test one of the very big and unformatted method in ASP.NET MVC 4.0. Below is the code of action method :- public ActionResult GetDetails(string ProdName, int ProdArea, int ProdAreaId= 0) { if (ProdAreaId == 0 && ProdArea == 1 && System.Web.HttpContext.Current.Session["ResponseProdAreaId"] != null) { ProdAreaId = (int)System.Web.HttpContext.Current.Session["ResponseProdAreaId"]; } if (string.IsNullOrEmpty(ProdName)) { if (System.Web.HttpContext.Current.Session["ProdName"] == null) { ProdName = Guid.NewGuid().ToString(); System.Web.HttpContext.Current.Session["ProdName"] = ProdName; } else { ProdName = System.Web.HttpContext.Current.Session["ProdName"].ToString(); } } else { ProdName = ProdName.Replace("___", " "); } List<StateDetail> stateList = ProductService.GetAllStates().Where(n => n.FKCountryID == (int)Countries.UnitedStates).ToList(); ProductAddressViewModel model = new ProductAddressViewModel { ProdArea = ProdArea, FKProductID = CurrentProductId }; model.States = stateList != null ? new SelectList(stateList, "StateID", "StateCode") : null; if (System.Web.HttpContext.Current.Session[“ProdAddresses”] != null && ProdAreaId == 0 && ProdArea == 1) { List<ProductAddressDto> lstprodaddresses = (List<ProductAddressDto>)System.Web.HttpContext.Current.Session[“ProdAddresses”]; if (lstprodaddresses.Count > 0) { AddressDto addrDto = lstprodaddresses.First().Address; //save address in DB model.Address1 = addrDto.Address1; model.Address2 = addrDto.Address2; model.ProdArea = 1; model.City = addrDto.City; model.IsDefault = true; model.ProdName = model.ProdName; model.SelectedAddressTypeID = (int)AddressType.Street; model.ZIPCode = addrDto.ZIPCode; model.SelectedStateId = addrDto.FKStateID; model.AddressTypes = GetAddressTypes(); } } else if (model.FKProductID > 0) { ToolDto tool = ToolService.GetToolDetails(model.FKProductID); if (ProdAreaId > 0) { model.AddressTypes = GetAddressTypes(); ProductAddressDto prodaddr = tool.ToolAddresses.First(n => n.Tool_AddressID == ProdAreaId); model.Address1 = prodaddr.Address.Address1; model.Address2 = prodaddr.Address.Address2; model.City = prodaddr.Address.City; model.SelectedStateId = prodaddr.Address.FKStateID; model.ZIPCode = prodaddr.Address.ZIPCode; model.SelectedAddressTypeID = prodaddr.Address.FKAddressTypeID; model.IsDefault = prodaddr.IsDefault; model.FKAddressID = prodaddr.FKAddressID; model.Tool_AddressID = prodaddr.Tool_AddressID; model.FKProductID = prodaddr.FKProductID; model.AddressTypes = GetAddressTypes(); } else { //address types List<int> excludeAddrTypes = new List<int>(); foreach (ProductAddressDto prodadrdto in tool.ToolAddresses) { if (prodadrdto.Tool_AddressID != ProdAreaId) { excludeAddrTypes.Add(prodadrdto.Address.FKAddressTypeID); } } if (System.Web.HttpContext.Current.Session[“ProdAddresses”] != null) { excludeAddrTypes.Add((int)AddressType.Street); } var addrtypes = from AddressType e in Enum.GetValues(typeof(AddressType)) where !excludeAddrTypes.Contains((int)e) select new { Id = (int)e, Name = e.ToString() }; model.AddressTypes = addrtypes.Select(x => new SelectListItem { Value = x.Id.ToString(), Text = x.Name }); if (tool.ToolAddresses.Count == 0) { model.IsDefault = (ProdArea == 1); } } } else { //filter out address types if responsed tool is there if (System.Web.HttpContext.Current.Session[“ProdAddresses”] != null) { List<int> excludeAddrTypes = new List<int>(); excludeAddrTypes.Add((int)AddressType.Street); var addrtypes = from AddressType e in Enum.GetValues(typeof(AddressType)) where !excludeAddrTypes.Contains((int)e) select new { Id = (int)e, Name = e.ToString() }; model.AddressTypes = addrtypes.Select(x => new SelectListItem { Value = x.Id.ToString(), Text = x.Name }); } else { model.AddressTypes = GetAddressTypes(); } model.IsDefault = (ProdArea == 1); } model.ProdName = ProdName; return PartialView("_AddUpdateAddress", model); } May be the method is not in correct format.But i have to do it's unit testing.I have do that in several different ways.But i am not sure about its correctness. I want to know that how should we do unit test for such a big and unformatted method like this. Can anyone help me out on this ? Below is the piece of code of my unit testing method :- [TestMethod] public void GetDetailsTest_NotEmpty() { var ProdName = random.ToString(); var ProdArea = random.Next(); var ProdAreaId = 0; var _toolServiceMock = new Mock<IToolService>(); var _lookupServiceMock = new Mock<ILookupService>(); var stateList = new List<StateDto> { new StateDto() { StateID = random.Next(), StateCode = Guid.NewGuid().ToString(), Description = random.ToString(), FKCountryID = 1 }, new StateDto() { StateID = random.Next(), StateCode = Guid.NewGuid().ToString(), Description = random.ToString(), FKCountryID = random.Next() }, }; _lookupServiceMock.Setup(s => s.GetAllStates()).Returns(stateList); // .Returns(stateList); //Arrange CustomerDto cust = _toolService.LookupCustomers("", "").FirstOrDefault(); if (cust != null) { ToolDto tool = _toolService.GetToolDetails(cust.Tool.toolId); if (tool.ToolAddresses.Count > 0 && tool.ToolAddresses.First().Address != null) { HttpContext.Current.Session["FKToolID"] = cust.FKToolID; var controller = new ToolController(_toolServiceMock.Object); PartialViewResult result = controller.SelectAddress(cust.Tool.Name, 1, tool.ToolAddresses.First().Tool_AddressID) as PartialViewResult; var viewmodel = (ToolAddressViewModel)((ViewResultBase)(result)).Model; if (viewmodel != null) { //Act Assert.AreEqual(tool.ToolAddresses.First().Address.Address1, viewmodel.Address1); Assert.AreEqual("_AddUpdateAddress", result.ViewName); Assert.IsInstanceOfType(viewmodel, typeof(ToolAddressViewModel)); } //Act _lookupServiceMock.VerifyAll(); } } }
First of all, your method is a way too complicated and too long. Make your actions short and with one responsability to respect SOLID principle (http://en.wikipedia.org/wiki/SOLID_(object-oriented_design)). It will make your methods easier to test. To help you with your problem, you can do something quick with your code : Split your actions in internal virtual methods with one concern each (internal to be testable in you unit test project, virtual to be able to mock them). Put the [assembly: InternalsVisibleTo("YourTestAssembly")] on your controller In your unit test project, you will be able to test any of your internal methods separately. Finally, to test your action, use a mocking framework (RhinoMock, Moq) to mock all your internal virtual methods and test the logic of your action (proxies generated by mocking framework will let you mock virtual methods). It's the easiest way you can test your logic without breaking the existing application. The inconvenient is that your logic is in internal methods wich let the whole assembly able to use it.
Is it possible to validate a value before it is set with Eclipse EMF validation framework?
The way I understand how eclipse validation framework works: generate an object with a factory set a value for an attribute in this object check validation For example: public class ValidateNameTest { public static void main(String[] args) { ExtlibraryPackageImpl.init(); ExtlibraryFactory factory = ExtlibraryFactory.eINSTANCE; Writer writer = factory.createWriter(); // comment next line for false result in console writer.setName("test"); writer.setFirstName("test"); writer.setLastName("test"); boolean isNull = (writer.getName() == null) ? true : false; System.out.println("writer name is null : " + isNull); boolean result = validateObject(writer); System.err.println("result = " + result); boolean result2 = validateObject2(writer); System.err.println("result2 = " + result2); boolean result3 = validateObject3(writer); System.err.println("result3 = " + result3); boolean result4 = validateObject5(writer); System.out.println("result4 = " + result4); } public static boolean validateObject(Writer writer) { ExtlibraryValidator validator = ExtlibraryValidator.INSTANCE; if (!validator.validateWriter_hasValidName(writer, null, null)) { return false; } return true; } public static boolean validateObject2(EObject eObject) { EValidator validator = EValidator.Registry.INSTANCE .getEValidator(eObject.eClass().getEPackage()); if (validator != null) { if (!validator.validate(eObject, null, null)) { return false; } } return true; } public static boolean validateObject3(EObject eObject) { Diagnostic diagnostic = Diagnostician.INSTANCE.validate(eObject); return diagnostic.getSeverity() == Diagnostic.OK; } public static boolean validateObject5(EObject eObject) { Diagnostic diagnostic = Diagnostician.INSTANCE.validate(eObject); if (diagnostic.getSeverity() == Diagnostic.ERROR || diagnostic.getSeverity() == Diagnostic.WARNING) { System.err.println(diagnostic.getMessage()); for (Diagnostic childDiagnostic : diagnostic.getChildren()) { switch (childDiagnostic.getSeverity()) { case Diagnostic.ERROR: case Diagnostic.WARNING: System.err.println("\t" + childDiagnostic.getMessage()); } } return false; } return true; } } But I want to check if a value is valid for the model before I call the setter for the attribute. Is this possible with Eclipse EMF validation framework? Can somebody give an example please?
I know of one common use case where this is possible: Data binding between model and UI controls. When you establish the EMF data binding between your model and the user interface, you can validate user input as follows. Create an update strategy (target to model) and override the method validateBeforeSet(Object). Here is an example: EMFDataBindingContext ctx = new EMFDataBindingContext(); ISWTObservableValue notesObservableValue = prop.observe(swtTextViewer); IEMFValueProperty notesValueProperty = EMFProperties.value(ModelPackage.Literals.THING__NOTES); UpdateValueStrategy targetToModel = new UpdateValueStrategy() { #Override public IStatus validateBeforeSet(Object value) { if ("".equals(value)) { MessageDialog.openError(Display.getCurrent() .getActiveShell(), "Error", "You should supply a description"); return ValidationStatus .error("You should supply a description"); } return super.validateBeforeSet(value); } }; ctx.bindValue(notesObservableValue, notesValueProperty.observe(thing), targetToModel, new UpdateValueStrategy());
The correct display name/field for a list item in a Sharepoint list (using Web Services)
I'm creating a program that uses SharePoint Web Services to query and show a Sharepoint list to the user. I can only show one column at a time, so I need to find a 'default column' or 'display column' to show. I know 'Title' is commonly used in many of the content types but I want this to be robust with any type of custom content type or list so I would like to find some way of querying the list to discover this field. For example: I'm using SharePoint Manager 2010 here and looking at a Link Library (That doesn't have a Title field) but somehow it knows that the list item is called 'http://google.com'. How is it inferring this? (source: adamburkepile.com)
Looks like DisplayName has quite a bit of logic behind it. Here is the code I got using Reflector: public string DisplayName { get { if (!this.IsNew) { if ((!this.ParentList.AllowContentTypes && (this.ParentList.BaseType == SPBaseType.DocumentLibrary)) || (this.ParentList.AllowContentTypes && (this.ContentTypeId.IsNonDiscussionFolder || this.ContentTypeId.IsChildOf(SPBuiltInContentTypeId.Document)))) { string str = (string) this.GetValue("BaseName", false); if (!string.IsNullOrEmpty(str)) { return SPHttpUtility.HtmlDecode(str); } } SPField fieldByInternalName = this.Fields.GetFieldByInternalName("Title", false); if (fieldByInternalName != null) { string fieldValueAsText = fieldByInternalName.GetFieldValueAsText(this.GetValue(fieldByInternalName, -1, false)); if (!string.IsNullOrEmpty(fieldValueAsText)) { return fieldValueAsText; } } if (this.ParentList.AllowContentTypes) { if (this.ContentTypeId.IsChildOf(SPBuiltInContentTypeId.Link)) { SPFieldUrlValue value2 = new SPFieldUrlValue((string) this.GetValue("URL", false)); if (!string.IsNullOrEmpty(value2.Description)) { return value2.Description; } if (!string.IsNullOrEmpty(value2.Url)) { return value2.Url; } } if (this.ContentTypeId.IsChildOf(SPBuiltInContentTypeId.Message)) { Guid discussionTitleLookup = SPBuiltInFieldId.DiscussionTitleLookup; SPField fld = this.Fields[discussionTitleLookup]; string str3 = fld.GetFieldValueAsText(this.GetValue(fld, -1, false)); if (!string.IsNullOrEmpty(str3)) { return str3; } } } if (this.ParentList.BaseType != SPBaseType.Survey) { using (IEnumerator enumerator = this.Fields.GetEnumerator()) { SPField field3; string str5; while (enumerator.MoveNext()) { field3 = (SPField) enumerator.Current; if (field3.GetFieldBoolValue("TitleField")) { goto Label_00C6; } } goto Label_016F; Label_00BB: if (!(field3 is SPFieldMultiLineText)) { return str5; } goto Label_00ED; Label_00C6: str5 = field3.GetFieldValueAsText(this.GetValue(field3, -1, false)); if (string.IsNullOrEmpty(str5)) { goto Label_016F; } goto Label_00BB; Label_00ED: if (str5.Length <= 0xff) { return str5; } return str5.Substring(0, 0xff); } } SPContext context2 = SPContext.Current; if ((context2 == null) || (context2.FormContext.FormMode != SPControlMode.Edit)) { return SPResource.GetString("ViewResponseTitle", new object[] { this.ID.ToString("N0", this.Web.Locale) }); } return SPResource.GetString("ToolBarMenuRespondToSurvey", new object[0]); } SPContext current = SPContext.Current; if (this.ParentList.BaseType != SPBaseType.Survey) { if ((current != null) && current.FormContext.IsNonDiscussionFolder) { return SPResource.GetString("ButtonTextNewFolder", new object[0]); } return SPResource.GetString("NewFormTitleNewItem", new object[0]); } return SPResource.GetString("ToolBarMenuRespondToSurvey", new object[0]); Label_016F: return SPResource.GetString("NoTitle", new object[0]); } }