72 lines
		
	
	
		
			1.8 KiB
		
	
	
	
		
			C++
		
	
	
	
	
	
			
		
		
	
	
			72 lines
		
	
	
		
			1.8 KiB
		
	
	
	
		
			C++
		
	
	
	
	
	
| #include "Compiler.hpp"
 | |
| #include "Node.hpp"
 | |
| #include "llvm/IR/Constants.h"
 | |
| #include <gtest/gtest.h>
 | |
| 
 | |
| // Utility function to test boolean literal compilation
 | |
| void testBoolLiteral(const std::string &input, bool expectedValue)
 | |
| {
 | |
|     auto compiler = std::make_unique<Compiler>(input, "main");
 | |
|     auto result = compiler->compile();
 | |
|     auto boolNode = std::any_cast<Node>(result);
 | |
| 
 | |
|     // Validate node type and data type
 | |
|     ASSERT_EQ(boolNode.getNodeType(), NODE_LITERAL);
 | |
|     ASSERT_EQ(boolNode.getDataType(), DATATYPE_BOOL);
 | |
| 
 | |
|     // Validate LLVM value
 | |
|     auto value = boolNode.getValue();
 | |
|     ASSERT_NE(value, nullptr);
 | |
| 
 | |
|     auto value_constant = llvm::dyn_cast<llvm::ConstantInt>(value);
 | |
|     ASSERT_NE(value_constant, nullptr);
 | |
| 
 | |
|     // Check the boolean value (1 for true, 0 for false)
 | |
|     ASSERT_EQ(value_constant->getValue().getLimitedValue(), static_cast<uint64_t>(expectedValue));
 | |
| }
 | |
| 
 | |
| // Test fixture for boolean tests
 | |
| class BoolTest : public ::testing::Test
 | |
| {
 | |
| protected:
 | |
|     void SetUp() override
 | |
|     {
 | |
|         // Setup code if needed
 | |
|     }
 | |
| 
 | |
|     void TearDown() override
 | |
|     {
 | |
|         // Cleanup code if needed
 | |
|     }
 | |
| };
 | |
| 
 | |
| // Test cases
 | |
| TEST_F(BoolTest, LiteralTrue)
 | |
| {
 | |
|     testBoolLiteral("true;", true);
 | |
| }
 | |
| 
 | |
| TEST_F(BoolTest, LiteralFalse)
 | |
| {
 | |
|     testBoolLiteral("false;", false);
 | |
| }
 | |
| 
 | |
| // Negative test cases
 | |
| TEST_F(BoolTest, InvalidLiteral)
 | |
| {
 | |
|     auto compiler = std::make_unique<Compiler>("notbool;", "main");
 | |
|     ASSERT_THROW(compiler->compile(), std::invalid_argument);
 | |
| }
 | |
| 
 | |
| TEST_F(BoolTest, MissingSemicolon)
 | |
| {
 | |
|     auto compiler = std::make_unique<Compiler>("true", "main");
 | |
|     ASSERT_THROW(compiler->compile(), std::runtime_error);
 | |
| }
 | |
| 
 | |
| TEST_F(BoolTest, MixedCaseLiteral)
 | |
| {
 | |
|     auto compiler = std::make_unique<Compiler>("True;", "main");
 | |
|     ASSERT_THROW(compiler->compile(), std::invalid_argument); // Expect strict case-sensitivity
 | |
| }
 |