Fix string/wstring type conflict

cppkore uses string/wstring as StringBase while we use std::string/std::wstring as string/wstring. Changed all types in cppkore to String/WString instead.
This commit is contained in:
Kawe Mazidjatari 2022-05-21 21:51:35 +02:00
parent f11f3fe95d
commit 04bee896be
127 changed files with 651 additions and 652 deletions

View File

@ -18,7 +18,7 @@ namespace Assets
{
}
List<Curve>& Animation::GetNodeCurves(const string& NodeName)
List<Curve>& Animation::GetNodeCurves(const String& NodeName)
{
if (Curves.ContainsKey(NodeName))
return Curves[NodeName];
@ -27,7 +27,7 @@ namespace Assets
return Curves[NodeName];
}
void Animation::AddNotification(const string& Name, uint32_t Frame)
void Animation::AddNotification(const String& Name, uint32_t Frame)
{
if (Notificiations.ContainsKey(Name))
Notificiations[Name].EmplaceBack(Frame);

View File

@ -26,19 +26,19 @@ namespace Assets
Animation(uint32_t BoneCount, float FrameRate);
// The name of the animation
string Name;
String Name;
// A collection of 3D bones for this animation. (May or may not represent the actual skeleton)
List<Bone> Bones;
// The collection of curves that make up this animation.
Dictionary<string, List<Curve>> Curves;
Dictionary<String, List<Curve>> Curves;
// A collection of notifications that may occur.
Dictionary<string, List<uint32_t>> Notificiations;
Dictionary<String, List<uint32_t>> Notificiations;
// Gets a reference to a list of node curves.
List<Curve>& GetNodeCurves(const string& NodeName);
List<Curve>& GetNodeCurves(const String& NodeName);
// Adds a notification to the animation.
void AddNotification(const string& Name, uint32_t Frame);
void AddNotification(const String& Name, uint32_t Frame);
// Gets the count of frames in the animation.
const uint32_t FrameCount(bool Legacy = false) const;

View File

@ -145,7 +145,7 @@ namespace Assets
this->Invalidate();
}
void AssetRenderer::SetAssetName(const string& Name)
void AssetRenderer::SetAssetName(const String& Name)
{
this->_DrawInformation.AssetName = Name;
this->Redraw();
@ -629,15 +629,15 @@ namespace Assets
glColor4f(35 / 255.f, 206 / 255.f, 107 / 255.f, 1);
_RenderFont.RenderString(string((this->_ShowBones) ? "Hide Bones (b), " : "Draw Bones (b), ") + string((this->_ShowMaterials) ? "Shaded View (t), " : "Material View (t), ") + string((this->_UseWireframe) ? "Hide Wireframe (w)" : "Draw Wireframe (w)"), 22, this->_Height - 44.f, FontScale);
_RenderFont.RenderString(String((this->_ShowBones) ? "Hide Bones (b), " : "Draw Bones (b), ") + String((this->_ShowMaterials) ? "Shaded View (t), " : "Material View (t), ") + String((this->_UseWireframe) ? "Hide Wireframe (w)" : "Draw Wireframe (w)"), 22, this->_Height - 44.f, FontScale);
glColor4f(0.9f, 0.9f, 0.9f, 1);
_RenderFont.RenderString((this->_DrawInformation.AssetName == "") ? string("N/A") : this->_DrawInformation.AssetName, 96, 22, FontScale);
_RenderFont.RenderString(string::Format("%d", this->_DrawInformation.MeshCount), 96, 38, FontScale);
_RenderFont.RenderString(string::Format("%d", this->_DrawInformation.VertexCount), 96, 54, FontScale);
_RenderFont.RenderString(string::Format("%d", this->_DrawInformation.TriangleCount), 96, 70, FontScale);
_RenderFont.RenderString(string::Format("%d", this->_DrawInformation.BoneCount), 96, 86, FontScale);
_RenderFont.RenderString((this->_DrawInformation.AssetName == "") ? String("N/A") : this->_DrawInformation.AssetName, 96, 22, FontScale);
_RenderFont.RenderString(String::Format("%d", this->_DrawInformation.MeshCount), 96, 38, FontScale);
_RenderFont.RenderString(String::Format("%d", this->_DrawInformation.VertexCount), 96, 54, FontScale);
_RenderFont.RenderString(String::Format("%d", this->_DrawInformation.TriangleCount), 96, 70, FontScale);
_RenderFont.RenderString(String::Format("%d", this->_DrawInformation.BoneCount), 96, 86, FontScale);
break;
case DrawMode::Texture:
glColor4f(3 / 255.f, 169 / 255.f, 244 / 255.f, 1);
@ -649,10 +649,10 @@ namespace Assets
glColor4f(0.9f, 0.9f, 0.9f, 1);
_RenderFont.RenderString((this->_DrawInformation.AssetName == "") ? string("N/A") : this->_DrawInformation.AssetName, 96, 22, FontScale);
_RenderFont.RenderString(string::Format("%d", this->_DrawInformation.Width), 96, 38, FontScale);
_RenderFont.RenderString(string::Format("%d", this->_DrawInformation.Height), 96, 54, FontScale);
_RenderFont.RenderString(string::Format("%d%%", this->_DrawInformation.Scale), 96, 70, FontScale);
_RenderFont.RenderString((this->_DrawInformation.AssetName == "") ? String("N/A") : this->_DrawInformation.AssetName, 96, 22, FontScale);
_RenderFont.RenderString(String::Format("%d", this->_DrawInformation.Width), 96, 38, FontScale);
_RenderFont.RenderString(String::Format("%d", this->_DrawInformation.Height), 96, 54, FontScale);
_RenderFont.RenderString(String::Format("%d%%", this->_DrawInformation.Scale), 96, 70, FontScale);
break;
}
}

View File

@ -56,7 +56,7 @@ namespace Assets
virtual ~AssetRenderer();
// Special function to stream in a material image
using MaterialStreamCallback = std::function<std::unique_ptr<Texture>(const string, const uint64_t)>;
using MaterialStreamCallback = std::function<std::unique_ptr<Texture>(const String, const uint64_t)>;
// Clears the current model, if any, and assigns the new one
void SetViewModel(const Model& Model);
@ -72,7 +72,7 @@ namespace Assets
void ClearViewTexture();
// Sets the name of the model
void SetAssetName(const string& Name);
void SetAssetName(const String& Name);
// Enable or disable wireframe rendering
void SetUseWireframe(bool Value);
@ -121,7 +121,7 @@ namespace Assets
int32_t Scale;
string AssetName;
String AssetName;
uint32_t BoneCount;
} _DrawInformation;

View File

@ -9,12 +9,12 @@
namespace Assets::Exporters
{
bool AutodeskMaya::ExportAnimation(const Animation& Animation, const string& Path)
bool AutodeskMaya::ExportAnimation(const Animation& Animation, const String& Path)
{
return false;
}
bool AutodeskMaya::ExportModel(const Model& Model, const string& Path)
bool AutodeskMaya::ExportModel(const Model& Model, const String& Path)
{
auto Writer = IO::StreamWriter(IO::File::Create(Path));
auto FileName = IO::Path::GetFileNameWithoutExtension(Path);
@ -207,7 +207,7 @@ namespace Assets::Exporters
"createNode file -n \"%sFILE\";\n"
"setAttr \".ftn\" -type \"string\" \"%s\";",
MaterialName,
(char*)string(Material.Slots[DiffuseTexture].first).Replace("\\", "\\\\")
(char*)String(Material.Slots[DiffuseTexture].first).Replace("\\", "\\\\")
);
}
}
@ -401,7 +401,7 @@ namespace Assets::Exporters
uint32_t BoneMapIndex = 0;
Dictionary<uint32_t, uint8_t> BoneMap;
Dictionary<uint32_t, uint32_t> ReverseBoneMap;
List<string> BoneNames;
List<String> BoneNames;
for (auto& Vertex : Submesh.Vertices)
{

View File

@ -13,9 +13,9 @@ namespace Assets::Exporters
~AutodeskMaya() = default;
// Exports the given animation to the provided path.
virtual bool ExportAnimation(const Animation& Animation, const string& Path);
virtual bool ExportAnimation(const Animation& Animation, const String& Path);
// Exports the given model to the provided path.
virtual bool ExportModel(const Model& Model, const string& Path);
virtual bool ExportModel(const Model& Model, const String& Path);
// Gets the file extension for this exporters model format.
virtual imstring ModelExtension();

View File

@ -61,12 +61,12 @@ namespace IO
return this->BaseStream->Read((uint8_t*)Buffer, Index, Count);
}
string BinaryReader::ReadCString()
String BinaryReader::ReadCString()
{
if (!this->BaseStream)
IOError::StreamBaseStream();
string Buffer = "";
String Buffer = "";
char Cur = this->Read<char>();
while ((uint8_t)Cur > 0)
@ -78,12 +78,12 @@ namespace IO
return std::move(Buffer);
}
wstring BinaryReader::ReadWCString()
WString BinaryReader::ReadWCString()
{
if (!this->BaseStream)
IOError::StreamBaseStream();
wstring Buffer = L"";
WString Buffer = L"";
wchar_t Cur = this->Read<wchar_t>();
while (Cur != (wchar_t)'\0')
@ -95,23 +95,23 @@ namespace IO
return std::move(Buffer);
}
string BinaryReader::ReadSizeString(uint64_t Size)
String BinaryReader::ReadSizeString(uint64_t Size)
{
if (!this->BaseStream)
IOError::StreamBaseStream();
auto Buffer = string((uint32_t)Size, '\0');
auto Buffer = String((uint32_t)Size, '\0');
this->BaseStream->Read((uint8_t*)&Buffer[0], 0, Size);
return std::move(Buffer);
}
string BinaryReader::ReadNetString()
String BinaryReader::ReadNetString()
{
if (!this->BaseStream)
IOError::StreamBaseStream();
auto Buffer = string(this->ReadVarInt(), '\0');
auto Buffer = String(this->ReadVarInt(), '\0');
this->BaseStream->Read((uint8_t*)&Buffer[0], 0, (uint64_t)Buffer.Length());
return std::move(Buffer);
@ -135,7 +135,7 @@ namespace IO
return Count;
}
int64_t BinaryReader::SignatureScan(const string& Signature)
int64_t BinaryReader::SignatureScan(const String& Signature)
{
if (!this->BaseStream)
IOError::StreamBaseStream();
@ -166,7 +166,7 @@ namespace IO
return SearchResult;
}
int64_t BinaryReader::SignatureScan(const string& Signature, uint64_t Offset, uint64_t Count)
int64_t BinaryReader::SignatureScan(const String& Signature, uint64_t Offset, uint64_t Count)
{
if (!this->BaseStream)
IOError::StreamBaseStream();
@ -184,7 +184,7 @@ namespace IO
return SearchResult;
}
List<int64_t> BinaryReader::SignatureScanAll(const string & Signature)
List<int64_t> BinaryReader::SignatureScanAll(const String & Signature)
{
if (!this->BaseStream)
IOError::StreamBaseStream();
@ -217,7 +217,7 @@ namespace IO
return ResultList;
}
List<int64_t> BinaryReader::SignatureScanAll(const string & Signature, uint64_t Offset, uint64_t Count)
List<int64_t> BinaryReader::SignatureScanAll(const String & Signature, uint64_t Offset, uint64_t Count)
{
if (!this->BaseStream)
IOError::StreamBaseStream();

View File

@ -39,26 +39,26 @@ namespace IO
uint64_t Read(void* Buffer, uint64_t Index, uint64_t Count);
// Reads a null-terminated string from the stream
string ReadCString();
String ReadCString();
// Reads a wide null-terminated string from the stream
wstring ReadWCString();
WString ReadWCString();
// Reads a size-string from the stream
string ReadSizeString(uint64_t Size);
String ReadSizeString(uint64_t Size);
// Reads a .NET string from the stream
string ReadNetString();
String ReadNetString();
// Reads an integer encoded into 7 bits, top bit = read more
uint32_t ReadVarInt();
// Scan the stream for a given signature
int64_t SignatureScan(const string& Signature);
int64_t SignatureScan(const String& Signature);
// Scan the stream for a given signature
int64_t SignatureScan(const string& Signature, uint64_t Offset, uint64_t Count);
int64_t SignatureScan(const String& Signature, uint64_t Offset, uint64_t Count);
// Scan the process for a given signature (All occurences)
List<int64_t> SignatureScanAll(const string& Signature);
List<int64_t> SignatureScanAll(const String& Signature);
// Scan the process for a given signature (All occurences)
List<int64_t> SignatureScanAll(const string& Signature, uint64_t Offset, uint64_t Count);
List<int64_t> SignatureScanAll(const String& Signature, uint64_t Offset, uint64_t Count);
// Get the underlying stream
Stream* GetBaseStream() const;

View File

@ -56,7 +56,7 @@ namespace IO
this->BaseStream->Write((uint8_t*)Buffer, Index, Count);
}
void BinaryWriter::WriteCString(const string& Value)
void BinaryWriter::WriteCString(const String& Value)
{
if (!this->BaseStream)
IOError::StreamBaseStream();
@ -70,7 +70,7 @@ namespace IO
this->BaseStream->Write(&NullBuffer, 0, 1);
}
void BinaryWriter::WriteWCString(const wstring& Value)
void BinaryWriter::WriteWCString(const WString& Value)
{
if (!this->BaseStream)
IOError::StreamBaseStream();
@ -84,7 +84,7 @@ namespace IO
this->BaseStream->Write((uint8_t*)&NullBuffer, 0, sizeof(uint16_t));
}
void BinaryWriter::WriteSizeString(const string& Value)
void BinaryWriter::WriteSizeString(const String& Value)
{
if (!this->BaseStream)
IOError::StreamBaseStream();
@ -92,7 +92,7 @@ namespace IO
this->BaseStream->Write((uint8_t*)Value.begin(), 0, Value.Length());
}
void BinaryWriter::WriteNetString(const string& Value)
void BinaryWriter::WriteNetString(const String& Value)
{
if (!this->BaseStream)
IOError::StreamBaseStream();

View File

@ -35,13 +35,13 @@ namespace IO
void Write(void* Buffer, uint64_t Index, uint64_t Count);
// Writes a null-terminated string to the stream
void WriteCString(const string& Value);
void WriteCString(const String& Value);
// Writes a wide null-terminated string to the stream
void WriteWCString(const wstring& Value);
void WriteWCString(const WString& Value);
// Writes a already predetermined size string to the stream
void WriteSizeString(const string& Value);
void WriteSizeString(const String& Value);
// Writes a .NET string to the stream
void WriteNetString(const string& Value);
void WriteNetString(const String& Value);
// Writes an integer encoded into 7 bits, top bit = read more
void WriteVarInt(uint32_t Value);

View File

@ -8,17 +8,17 @@ namespace Assets
{
}
Bone::Bone(const string& Name)
Bone::Bone(const String& Name)
: Bone(Name, -1, { 0, 0, 0 }, { 0, 0, 0, 1 }, { 0, 0, 0 }, { 0, 0, 0, 1 }, { 1, 1, 1 }, BoneFlags::HasLocalSpaceMatrices)
{
}
Bone::Bone(const string& Name, int32_t ParentIndex)
Bone::Bone(const String& Name, int32_t ParentIndex)
: Bone(Name, ParentIndex, { 0, 0, 0 }, { 0, 0, 0, 1 }, { 0, 0, 0 }, { 0, 0, 0, 1 }, { 1, 1, 1 }, BoneFlags::HasLocalSpaceMatrices)
{
}
Bone::Bone(const string& Name, int32_t ParentIndex, Vector3 Position, Quaternion Rotation, BoneFlags Flags)
Bone::Bone(const String& Name, int32_t ParentIndex, Vector3 Position, Quaternion Rotation, BoneFlags Flags)
: Bone(Name, ParentIndex)
{
if (((int)Flags & (int)BoneFlags::HasLocalSpaceMatrices) == (int)BoneFlags::HasLocalSpaceMatrices)
@ -35,7 +35,7 @@ namespace Assets
this->_Flags = Flags;
}
Bone::Bone(const string & Name, int32_t ParentIndex, Vector3 Position, Quaternion Rotation, Vector3 Scale, BoneFlags Flags)
Bone::Bone(const String & Name, int32_t ParentIndex, Vector3 Position, Quaternion Rotation, Vector3 Scale, BoneFlags Flags)
: Bone(Name, ParentIndex)
{
if (((int)Flags & (int)BoneFlags::HasLocalSpaceMatrices) == (int)BoneFlags::HasLocalSpaceMatrices)
@ -53,7 +53,7 @@ namespace Assets
this->_Flags = Flags;
}
Bone::Bone(const string& Name, int32_t ParentIndex, Vector3 LocalPosition, Quaternion LocalRotation, Vector3 GlobalPosition, Quaternion GlobalRotation, Vector3 Scale, BoneFlags Flags)
Bone::Bone(const String& Name, int32_t ParentIndex, Vector3 LocalPosition, Quaternion LocalRotation, Vector3 GlobalPosition, Quaternion GlobalRotation, Vector3 Scale, BoneFlags Flags)
: _Name(Name), _Parent(ParentIndex), _LocalSpacePosition(LocalPosition), _LocalSpaceRotation(LocalRotation), _GlobalSpacePosition(GlobalPosition), _GlobalSpaceRotation(GlobalRotation), _Scale(Scale), _Flags(Flags)
{
}
@ -68,12 +68,12 @@ namespace Assets
this->_Flags = Value ? (BoneFlags)((int)this->_Flags | (int)Flags) : (BoneFlags)((int)this->_Flags & ~(int)Flags);
}
const string& Bone::Name() const
const String& Bone::Name() const
{
return this->_Name;
}
void Bone::SetName(const string& Value)
void Bone::SetName(const String& Value)
{
this->_Name = Value;
}

View File

@ -18,15 +18,15 @@ namespace Assets
// Initialize a blank 3D bone.
Bone();
// Initialize a 3D bone with it's tag name.
Bone(const string& Name);
Bone(const String& Name);
// Initialize a 3D bone with it's tag name, and parent index.
Bone(const string& Name, int32_t ParentIndex);
Bone(const String& Name, int32_t ParentIndex);
// Initialize a 3D bone with it's tag name, parent index, and transposition matrix.
Bone(const string& Name, int32_t ParentIndex, Vector3 Position, Quaternion Rotation, BoneFlags Flags = BoneFlags::HasLocalSpaceMatrices);
Bone(const String& Name, int32_t ParentIndex, Vector3 Position, Quaternion Rotation, BoneFlags Flags = BoneFlags::HasLocalSpaceMatrices);
// Initialize a 3D bone with it's tag name, parent index, transposition matrix, and scale transform.
Bone(const string& Name, int32_t ParentIndex, Vector3 Position, Quaternion Rotation, Vector3 Scale, BoneFlags Flags = (BoneFlags::HasLocalSpaceMatrices | BoneFlags::HasScale));
Bone(const String& Name, int32_t ParentIndex, Vector3 Position, Quaternion Rotation, Vector3 Scale, BoneFlags Flags = (BoneFlags::HasLocalSpaceMatrices | BoneFlags::HasScale));
// Initialize a 3D bone with it's tag name, parent index, local and global transposition matrix, and scale transform.
Bone(const string& Name, int32_t ParentIndex, Vector3 LocalPosition, Quaternion LocalRotation, Vector3 GlobalPosition, Quaternion GlobalRotation, Vector3 Scale, BoneFlags Flags = (BoneFlags::HasGlobalSpaceMatrices | BoneFlags::HasLocalSpaceMatrices | BoneFlags::HasScale));
Bone(const String& Name, int32_t ParentIndex, Vector3 LocalPosition, Quaternion LocalRotation, Vector3 GlobalPosition, Quaternion GlobalRotation, Vector3 Scale, BoneFlags Flags = (BoneFlags::HasGlobalSpaceMatrices | BoneFlags::HasLocalSpaceMatrices | BoneFlags::HasScale));
// Destroy all 3D bone resources.
~Bone() = default;
@ -39,9 +39,9 @@ namespace Assets
void SetFlag(BoneFlags Flags, bool Value);
// Gets the tag name assigned to the bone.
const string& Name() const;
const String& Name() const;
// Sets the tag name assigned to the bone.
void SetName(const string& Value);
void SetName(const String& Value);
// Gets the parent bone index.
const int32_t& Parent() const;
@ -75,7 +75,7 @@ namespace Assets
private:
// Internal tag name
string _Name;
String _Name;
// Internal parent index
int32_t _Parent;

View File

@ -51,7 +51,7 @@ namespace Hashing
0xb40bbe37, 0xc30c8ea1, 0x5a05df1b, 0x2d02ef8d
};
uint32_t CRC32::HashString(const string& Input, uint32_t Seed)
uint32_t CRC32::HashString(const String& Input, uint32_t Seed)
{
return ComputeHash((uint8_t*)(char*)Input, 0, Input.Length(), Seed);
}

View File

@ -18,7 +18,7 @@ namespace Hashing
}
// Computes the hash code of the input string using CRC32 algo.
static uint32_t HashString(const string& Input, uint32_t Seed = 0);
static uint32_t HashString(const String& Input, uint32_t Seed = 0);
// Computes the hash code using the CRC32 algo.
static uint32_t ComputeHash(uint8_t* Input, uint64_t InputOffset, uint64_t InputLength, uint32_t Seed = 0);

View File

@ -18,7 +18,7 @@ namespace Assets::Exporters
static_assert(sizeof(CastHeader) == 0x10, "Cast header size mismatch");
bool CastAsset::ExportAnimation(const Animation& Animation, const string& Path)
bool CastAsset::ExportAnimation(const Animation& Animation, const String& Path)
{
auto Writer = IO::BinaryWriter(IO::File::Create(Path));
@ -194,7 +194,7 @@ namespace Assets::Exporters
return true;
}
bool CastAsset::ExportModel(const Model& Model, const string& Path)
bool CastAsset::ExportModel(const Model& Model, const String& Path)
{
auto Writer = IO::BinaryWriter(IO::File::Create(Path));
@ -271,7 +271,7 @@ namespace Assets::Exporters
for (auto& Mesh : Model.Meshes)
{
auto& MeshNode = ModelNode.Children.Emplace(CastId::Mesh, Hashing::XXHash::HashString(string::Format("mesh%02d", MeshIndex++)));
auto& MeshNode = ModelNode.Children.Emplace(CastId::Mesh, Hashing::XXHash::HashString(String::Format("mesh%02d", MeshIndex++)));
MeshNode.Properties.EmplaceBack(CastPropertyId::Vector3, "vp");
MeshNode.Properties.EmplaceBack(CastPropertyId::Vector3, "vn");
@ -302,7 +302,7 @@ namespace Assets::Exporters
List<CastProperty*> UVLayers;
for (uint8_t i = 0; i < Mesh.Vertices.UVLayerCount(); i++)
MeshNode.Properties.EmplaceBack(CastPropertyId::Vector2, string::Format("u%d", i));
MeshNode.Properties.EmplaceBack(CastPropertyId::Vector2, String::Format("u%d", i));
auto& VertexPositions = MeshNode.Properties[0];
auto& VertexNormals = MeshNode.Properties[1];

View File

@ -12,9 +12,9 @@ namespace Assets::Exporters
~CastAsset() = default;
// Exports the given animation to the provided path.
virtual bool ExportAnimation(const Animation& Animation, const string& Path);
virtual bool ExportAnimation(const Animation& Animation, const String& Path);
// Exports the given model to the provided path.
virtual bool ExportModel(const Model& Model, const string& Path);
virtual bool ExportModel(const Model& Model, const String& Path);
// Gets the file extension for this exporters model format.
virtual imstring ModelExtension();

View File

@ -128,7 +128,7 @@ namespace Assets::Exporters
this->IntegralValues.EmplaceBack(Value);
}
void CastProperty::SetString(const string& Value)
void CastProperty::SetString(const String& Value)
{
this->StringValue = Value;
}

View File

@ -116,14 +116,14 @@ namespace Assets::Exporters
void AddVector3(Math::Vector3 Value);
void AddVector4(Math::Quaternion Value);
void SetString(const string& Value);
void SetString(const String& Value);
CastPropertyId Identifier;
string Name;
String Name;
private:
List<CastPropertyUnion> IntegralValues;
string StringValue;
String StringValue;
};
class CastNode

View File

@ -8,12 +8,12 @@
namespace Assets::Exporters
{
bool CoDXAssetExport::ExportAnimation(const Animation& Animation, const string& Path)
bool CoDXAssetExport::ExportAnimation(const Animation& Animation, const String& Path)
{
return false;
}
bool CoDXAssetExport::ExportModel(const Model& Model, const string& Path)
bool CoDXAssetExport::ExportModel(const Model& Model, const String& Path)
{
auto Writer = IO::StreamWriter(IO::File::Create(Path));

View File

@ -13,9 +13,9 @@ namespace Assets::Exporters
~CoDXAssetExport() = default;
// Exports the given animation to the provided path.
virtual bool ExportAnimation(const Animation& Animation, const string& Path);
virtual bool ExportAnimation(const Animation& Animation, const String& Path);
// Exports the given model to the provided path.
virtual bool ExportModel(const Model& Model, const string& Path);
virtual bool ExportModel(const Model& Model, const String& Path);
// Gets the file extension for this exporters model format.
virtual imstring ModelExtension();

View File

@ -9,17 +9,17 @@ namespace Forms
{
}
ColumnHeader::ColumnHeader(const string& Text)
ColumnHeader::ColumnHeader(const String& Text)
: ColumnHeader(Text, 60)
{
}
ColumnHeader::ColumnHeader(const string& Text, int32_t Width)
ColumnHeader::ColumnHeader(const String& Text, int32_t Width)
: ColumnHeader(Text, Width, HorizontalAlignment::Left)
{
}
ColumnHeader::ColumnHeader(const string& Text, int32_t Width, HorizontalAlignment Alignment)
ColumnHeader::ColumnHeader(const String& Text, int32_t Width, HorizontalAlignment Alignment)
: _Text(Text), _Width(Width), _TextAlign(Alignment), _OwnerListView(nullptr), _IndexInternal(-1)
{
}
@ -78,12 +78,12 @@ namespace Forms
this->_IndexInternal = Value;
}
const string& ColumnHeader::Text() const
const String& ColumnHeader::Text() const
{
return this->_Text;
}
void ColumnHeader::SetText(const string& Value)
void ColumnHeader::SetText(const String& Value)
{
_Text = Value;

View File

@ -14,9 +14,9 @@ namespace Forms
{
public:
ColumnHeader();
ColumnHeader(const string& Text);
ColumnHeader(const string& Text, int32_t Width);
ColumnHeader(const string& Text, int32_t Width, HorizontalAlignment Alignment);
ColumnHeader(const String& Text);
ColumnHeader(const String& Text, int32_t Width);
ColumnHeader(const String& Text, int32_t Width, HorizontalAlignment Alignment);
~ColumnHeader() = default;
// The index of this column.
@ -31,9 +31,9 @@ namespace Forms
void SetDisplayIndexInternal(int32_t Value);
// The text displayed in the column header.
const string& Text() const;
const String& Text() const;
// The text displayed in the column header.
void SetText(const string& Value);
void SetText(const String& Value);
// The width of the column in pixels.
int32_t Width() const;
@ -62,7 +62,7 @@ namespace Forms
int32_t _IndexInternal;
// Text to display
string _Text;
String _Text;
HorizontalAlignment _TextAlign;
// Set the display indices of the ListView columns.

View File

@ -170,15 +170,15 @@ namespace Forms
OnSelectedItemChanged();
}
string ComboBox::SelectedText()
String ComboBox::SelectedText()
{
if (_DropDownStyle == ComboBoxStyle::DropDownList)
return "";
return Text().Substring(SelectionStart(), SelectionLength());
return Text().SubString(SelectionStart(), SelectionLength());
}
void ComboBox::SetSelectedText(const string& Value)
void ComboBox::SetSelectedText(const String& Value)
{
if (_DropDownStyle != ComboBoxStyle::DropDownList)
{
@ -377,14 +377,14 @@ namespace Forms
void ComboBox::NativeClear()
{
string Saved;
String Saved;
if (_DropDownStyle != ComboBoxStyle::DropDownList)
Saved = this->WindowText();
SendMessageA(this->_Handle, CB_RESETCONTENT, NULL, NULL);
if (!string::IsNullOrEmpty(Saved))
if (!String::IsNullOrEmpty(Saved))
this->SetWindowText(Saved);
}
@ -454,10 +454,10 @@ namespace Forms
int32_t ComboBox::ComboBoxItemCollection::IndexOf(const imstring& Value)
{
auto Str = string(Value);
auto Str = String(Value);
auto Res = _Items.IndexOf(Str);
if (Res == List<string>::InvalidPosition)
if (Res == List<String>::InvalidPosition)
return -1;
return Res;
@ -484,12 +484,12 @@ namespace Forms
return _Items.Count();
}
string* ComboBox::ComboBoxItemCollection::begin() const
String* ComboBox::ComboBoxItemCollection::begin() const
{
return _Items.begin();
}
string* ComboBox::ComboBoxItemCollection::end() const
String* ComboBox::ComboBoxItemCollection::end() const
{
return _Items.end();
}

View File

@ -75,9 +75,9 @@ namespace Forms
void SetSelectedIndex(int32_t Value);
// Gets the selected text in the edit component of the ComboBox.
string SelectedText();
String SelectedText();
// Sets the selected text in the edit component of the ComboBox.
void SetSelectedText(const string& Value);
void SetSelectedText(const String& Value);
// Gets length, in characters, of the selection in the editbox.
int32_t SelectionLength();
@ -121,13 +121,13 @@ namespace Forms
uint32_t Count();
// Iterater classes
string* begin() const;
string* end() const;
String* begin() const;
String* end() const;
protected:
// Internal references
ComboBox* _Owner;
List<string> _Items;
List<String> _Items;
} Items;
// We must define control event bases here

View File

@ -212,7 +212,7 @@ namespace System
SetCurrentConsoleFontEx(hStdOut, false, &cFont);
}
void Console::SetTitle(const string& Value)
void Console::SetTitle(const String& Value)
{
SetConsoleTitleA((const char*)Value);
}
@ -384,12 +384,12 @@ namespace System
SetConsoleScreenBufferInfoEx(hStdOut, &cBuffer);
}
string Console::GetTitle()
String Console::GetTitle()
{
char Buffer[2048]{};
GetConsoleTitleA(Buffer, 2048); // Honestly it would be too big at 256...
return string(Buffer);
return String(Buffer);
}
bool Console::GetCursorVisible()
@ -451,7 +451,7 @@ namespace System
ConsoleInstance.Out.Write("\r");
Console::Header(Heading, Color);
string Buffer(Width + 2, '\0', false);
String Buffer(Width + 2, '\0', false);
Buffer.Append("[");
uint32_t Blocks = min((uint32_t)((Progress / 100.f) * Width), Width);
@ -521,7 +521,7 @@ namespace System
return ConsoleKeyInfo((char)iRecord.Event.KeyEvent.uChar.AsciiChar, (ConsoleKey)iRecord.Event.KeyEvent.wVirtualKeyCode, Shift, Alt, Control);
}
string Console::ReadLine()
String Console::ReadLine()
{
return ConsoleInstance.In.ReadLine();
}

View File

@ -42,7 +42,7 @@ namespace System
// Changes the font of the console window
static void SetFontSize(uint32_t Width, uint32_t Height, uint32_t Weight);
// Sets the window title
static void SetTitle(const string& Value);
static void SetTitle(const String& Value);
// Sets the window title
static void SetTitle(const char* Value);
// Sets whether or not the cursor is visible
@ -67,7 +67,7 @@ namespace System
static void RemapAllConsoleColors(std::initializer_list<System::ConsoleColor> Colors);
// Gets the window title
static string GetTitle();
static String GetTitle();
// Gets whether or not the cursor is visible
static bool GetCursorVisible();
// Gets the current foreground color
@ -92,7 +92,7 @@ namespace System
// Reads a key
static ConsoleKeyInfo ReadKey(bool Intercept = false);
// Reads a line from the console
static string ReadLine();
static String ReadLine();
private:

View File

@ -625,12 +625,12 @@ namespace Forms
return Drawing::Rectangle(Rc.left, Rc.top, (Rc.right - Rc.left), (Rc.bottom - Rc.top));
}
string Control::Text()
String Control::Text()
{
return this->WindowText();
}
void Control::SetText(const string& Value)
void Control::SetText(const String& Value)
{
this->SetWindowText(Value);
OnTextChanged();
@ -1627,20 +1627,20 @@ namespace Forms
this->_RequiredScalingEnabled = Value;
}
string Control::WindowText()
String Control::WindowText()
{
if (!GetState(ControlStates::StateCreated))
return _Text;
auto Length = GetWindowTextLengthA(this->_Handle);
auto Result = string(Length);
auto Result = String(Length);
GetWindowTextA(this->_Handle, (char*)Result, Length + 1);
return Result;
}
void Control::SetWindowText(const string& Value)
void Control::SetWindowText(const String& Value)
{
if (GetState(ControlStates::StateCreated))
SetWindowTextA(this->_Handle, (char*)Value);
@ -2670,7 +2670,7 @@ namespace Forms
return ((Ctrl->GetStyle(ControlStyles::ContainerControl) && Ctrl->IsContainerControl()));
}
string Control::RegisterWndClass(const char* ClassName, DWORD ClassStyle, bool& Subclass)
String Control::RegisterWndClass(const char* ClassName, DWORD ClassStyle, bool& Subclass)
{
// Check for a built-in class name...
WNDCLASSEXA ExInfo{};
@ -2712,7 +2712,7 @@ namespace Forms
return ClassName;
// We need to make a modified class, using the ClassName + Style
auto nClassName = string(ClassName) + string::Format(".%x", ClassStyle);
auto nClassName = String(ClassName) + String::Format(".%x", ClassStyle);
ExInfo.style = ClassStyle;
ExInfo.lpszClassName = (const char*)nClassName;
@ -2738,7 +2738,7 @@ namespace Forms
RegisterClassExA(&ExInfo);
return string(ClassName);
return String(ClassName);
}
}
}

View File

@ -173,9 +173,9 @@ namespace Forms
Drawing::Rectangle RectangleToClient(const Drawing::Rectangle& Rect);
// Gets the current text associated with this control.
virtual string Text();
virtual String Text();
// Sets the current text associated with this control.
virtual void SetText(const string& Value);
virtual void SetText(const String& Value);
// Brings this control to the front of the z-order.
void BringToFront();
@ -365,7 +365,7 @@ namespace Forms
uint32_t _MinimumHeight;
// Internal text caching
string _Text;
String _Text;
// Contains the anchor information...
struct AnchorDeltasCache
@ -439,9 +439,9 @@ namespace Forms
uintptr_t BackColorBrush();
// Gets the current text of the Window
virtual string WindowText();
virtual String WindowText();
// Sets the current text of the Window
virtual void SetWindowText(const string& Value);
virtual void SetWindowText(const String& Value);
// Updates the control styles...
void UpdateStyles();
@ -569,6 +569,6 @@ namespace Forms
static bool IsFocusManagingContainerControl(Control* Ctrl);
// Internal routine to make sure a class is registered
static string RegisterWndClass(const char* ClassName, DWORD ClassStyle, bool& Subclass);
static String RegisterWndClass(const char* ClassName, DWORD ClassStyle, bool& Subclass);
};
}

View File

@ -8,8 +8,8 @@ namespace Forms
// A structure that contains the CreateWindow parameters for this control.
struct CreateParams
{
string ClassName;
string Caption;
String ClassName;
String Caption;
uint32_t Style;
uint32_t ExStyle;

View File

@ -8,12 +8,12 @@ namespace Assets
{
}
Curve::Curve(const string& Name, CurveProperty Property)
Curve::Curve(const String& Name, CurveProperty Property)
: Curve(Name, Property, AnimationCurveMode::Absolute)
{
}
Curve::Curve(const string& Name, CurveProperty Property, AnimationCurveMode Mode)
Curve::Curve(const String& Name, CurveProperty Property, AnimationCurveMode Mode)
: Name(Name), Property(Property), Mode(Mode), _IsFrameIntegral(true)
{
}

View File

@ -66,11 +66,11 @@ namespace Assets
{
public:
Curve();
Curve(const string& Name, CurveProperty Property);
Curve(const string& Name, CurveProperty Property, AnimationCurveMode Mode);
Curve(const String& Name, CurveProperty Property);
Curve(const String& Name, CurveProperty Property, AnimationCurveMode Mode);
// The node name of this curve.
string Name;
String Name;
// The property of the node for the curve.
CurveProperty Property;

View File

@ -3,7 +3,7 @@
namespace IO
{
void Directory::CreateDirectory(const string& Path)
void Directory::CreateDirectory(const String& Path)
{
if (Path.Length() == 0)
return;
@ -18,14 +18,14 @@ namespace IO
fLength--;
// A list of directories to make
auto DirectoryStack = List<string>();
auto DirectoryStack = List<String>();
if (fLength > rLength)
{
int32_t i = fLength - 1;
while (i >= rLength)
{
DirectoryStack.EmplaceBack(std::move(Path.Substring(0, i + 1)));
DirectoryStack.EmplaceBack(std::move(Path.SubString(0, i + 1)));
while (i > rLength && Path[i] != Path::DirectorySeparatorChar && Path[1] != Path::AltDirectorySeparatorChar)
i--;
@ -39,7 +39,7 @@ namespace IO
CreateDirectoryA((const char*)DirectoryStack[i], NULL);
}
bool Directory::Exists(const string& Path)
bool Directory::Exists(const String& Path)
{
if (Path.Length() == 0)
return false;
@ -54,14 +54,14 @@ namespace IO
return false;
}
List<string> Directory::GetFiles(const string& Path)
List<String> Directory::GetFiles(const String& Path)
{
return Directory::GetFiles(Path, "*");
}
List<string> Directory::GetFiles(const string& Path, const string& SearchPattern)
List<String> Directory::GetFiles(const String& Path, const String& SearchPattern)
{
auto Result = List<string>();
auto Result = List<String>();
auto sQuery = (Path[Path.Length() - 1] == Path::DirectorySeparatorChar || Path[Path.Length() - 1] == Path::AltDirectorySeparatorChar) ? Path + SearchPattern : Path + Path::DirectorySeparatorChar + SearchPattern;
@ -93,9 +93,9 @@ namespace IO
return Result;
}
List<string> Directory::GetDirectories(const string& Path)
List<String> Directory::GetDirectories(const String& Path)
{
auto Result = List<string>();
auto Result = List<String>();
auto sQuery = (Path[Path.Length() - 1] == Path::DirectorySeparatorChar || Path[Path.Length() - 1] == Path::AltDirectorySeparatorChar) ? Path + "*" : Path + Path::DirectorySeparatorChar + "*";
@ -127,9 +127,9 @@ namespace IO
return Result;
}
List<string> Directory::GetLogicalDrives()
List<String> Directory::GetLogicalDrives()
{
auto Result = List<string>();
auto Result = List<String>();
auto dCount = ::GetLogicalDrives();
if (dCount == 0)
@ -141,7 +141,7 @@ namespace IO
while (d != 0)
{
if ((d & 1) != 0)
Result.EmplaceBack(std::move(string(Root, 3)));
Result.EmplaceBack(std::move(String(Root, 3)));
d >>= 1;
Root[0]++;
@ -150,7 +150,7 @@ namespace IO
return Result;
}
string Directory::GetCurrentDirectory()
String Directory::GetCurrentDirectory()
{
char Buffer[MAX_PATH + 1]{};
if (!GetCurrentDirectoryA(MAX_PATH, (char*)Buffer))
@ -170,7 +170,7 @@ namespace IO
return Buffer;
}
void Directory::SetCurrentDirectory(const string& Path)
void Directory::SetCurrentDirectory(const String& Path)
{
auto Result = SetCurrentDirectoryA((const char*)Path);
if (!Result)
@ -192,7 +192,7 @@ namespace IO
}
}
void Directory::Move(const string& SourcePath, const string& DestinationPath)
void Directory::Move(const String& SourcePath, const String& DestinationPath)
{
// Ensure that the roots are the same
if (Path::GetPathRoot(SourcePath).ToLower() != Path::GetPathRoot(DestinationPath).ToLower())
@ -218,7 +218,7 @@ namespace IO
}
}
void Directory::Copy(const string& SourcePath, const string& DestinationPath, bool OverWrite)
void Directory::Copy(const String& SourcePath, const String& DestinationPath, bool OverWrite)
{
auto Result = CopyFileA((const char*)SourcePath, (const char*)DestinationPath, !OverWrite);
if (!Result)
@ -243,7 +243,7 @@ namespace IO
}
}
bool Directory::Delete(const string& Path, bool Recursive)
bool Directory::Delete(const String& Path, bool Recursive)
{
if (Path.Length() == 0)
return false;
@ -278,7 +278,7 @@ namespace IO
}
else if (bReparse && fInfo.dwReserved0 == IO_REPARSE_TAG_MOUNT_POINT)
{
if (!DeleteVolumeMountPointA((const char*)Path::Combine(Path, string(fInfo.cFileName) + Path::DirectorySeparatorChar)))
if (!DeleteVolumeMountPointA((const char*)Path::Combine(Path, String(fInfo.cFileName) + Path::DirectorySeparatorChar)))
return false;
}
}

View File

@ -19,27 +19,27 @@ namespace IO
{
public:
// Checks whether or not the specified path exists
static bool Exists(const string& Path);
static bool Exists(const String& Path);
// Creates a new directory at the given path
static void CreateDirectory(const string& Path);
static void CreateDirectory(const String& Path);
// Returns the current directory set
static string GetCurrentDirectory();
static String GetCurrentDirectory();
// Sets the current directory
static void SetCurrentDirectory(const string& Path);
static void SetCurrentDirectory(const String& Path);
// Moves the source path to the destination path
static void Move(const string& SourcePath, const string& DestinationPath);
static void Move(const String& SourcePath, const String& DestinationPath);
// Copies the source path to the destination path
static void Copy(const string& SourcePath, const string& DestinationPath, bool OverWrite = false);
static void Copy(const String& SourcePath, const String& DestinationPath, bool OverWrite = false);
// Deletes a directory, optionally recursive if it's not empty
static bool Delete(const string& Path, bool Recursive = true);
static bool Delete(const String& Path, bool Recursive = true);
// Returns an array of files in the current path
static List<string> GetFiles(const string& Path);
static List<String> GetFiles(const String& Path);
// Returns an array of files in the current path matching the search pattern
static List<string> GetFiles(const string& Path, const string& SearchPattern);
static List<String> GetFiles(const String& Path, const String& SearchPattern);
// Returns an array of folders in the current path
static List<string> GetDirectories(const string& Path);
static List<String> GetDirectories(const String& Path);
// Returns an array of logical drives
static List<string> GetLogicalDrives();
static List<String> GetLogicalDrives();
};
}

View File

@ -3,7 +3,7 @@
namespace Forms
{
DrawListViewItemEventArgs::DrawListViewItemEventArgs(HDC Dc, const string& Text, const ListViewItemStyle Style, Drawing::Rectangle Bounds, int32_t ItemIndex, ListViewItemStates State)
DrawListViewItemEventArgs::DrawListViewItemEventArgs(HDC Dc, const String& Text, const ListViewItemStyle Style, Drawing::Rectangle Bounds, int32_t ItemIndex, ListViewItemStates State)
: Text(Text), Style(Style), Bounds(Bounds), ItemIndex(ItemIndex), DrawDefault(false), Graphics(std::make_unique<Drawing::Graphics>(Dc)), State(State)
{
}

View File

@ -13,11 +13,11 @@ namespace Forms
class DrawListViewItemEventArgs
{
public:
DrawListViewItemEventArgs(HDC Dc, const string& Text, const ListViewItemStyle Style, Drawing::Rectangle Bounds, int32_t ItemIndex, ListViewItemStates State);
DrawListViewItemEventArgs(HDC Dc, const String& Text, const ListViewItemStyle Style, Drawing::Rectangle Bounds, int32_t ItemIndex, ListViewItemStates State);
~DrawListViewItemEventArgs() = default;
// Gets the text of the item to draw.
const string Text;
const String Text;
// Gets the style of the item to draw.
const ListViewItemStyle Style;
// Gets the state of the item to draw.

View File

@ -3,7 +3,7 @@
namespace Forms
{
DrawListViewSubItemEventArgs::DrawListViewSubItemEventArgs(HDC Dc, const string& Text, const ListViewItemStyle Style, Drawing::Rectangle Bounds, int32_t ItemIndex, int32_t SubItemIndex, ListViewItemStates State)
DrawListViewSubItemEventArgs::DrawListViewSubItemEventArgs(HDC Dc, const String& Text, const ListViewItemStyle Style, Drawing::Rectangle Bounds, int32_t ItemIndex, int32_t SubItemIndex, ListViewItemStates State)
: Text(Text), Style(Style), Bounds(Bounds), ItemIndex(ItemIndex), SubItemIndex(SubItemIndex), DrawDefault(false), Graphics(std::make_unique<Drawing::Graphics>(Dc)), State(State)
{
}

View File

@ -13,11 +13,11 @@ namespace Forms
class DrawListViewSubItemEventArgs
{
public:
DrawListViewSubItemEventArgs(HDC Dc, const string& Text, const ListViewItemStyle Style, Drawing::Rectangle Bounds, int32_t ItemIndex, int32_t SubItemIndex, ListViewItemStates State);
DrawListViewSubItemEventArgs(HDC Dc, const String& Text, const ListViewItemStyle Style, Drawing::Rectangle Bounds, int32_t ItemIndex, int32_t SubItemIndex, ListViewItemStates State);
~DrawListViewSubItemEventArgs() = default;
// Gets the text of the item to draw.
const string Text;
const String Text;
// Gets the style of the item to draw.
const ListViewItemStyle Style;
// Gets the state of the item to draw.

View File

@ -3,7 +3,7 @@
namespace Forms
{
DrawToolTipEventArgs::DrawToolTipEventArgs(HDC Dc, Control* Window, Control* Ctrl, Drawing::Rectangle Bounds, const string& Text, Drawing::Color BackColor, Drawing::Color ForeColor, Drawing::Font* Font)
DrawToolTipEventArgs::DrawToolTipEventArgs(HDC Dc, Control* Window, Control* Ctrl, Drawing::Rectangle Bounds, const String& Text, Drawing::Color BackColor, Drawing::Color ForeColor, Drawing::Font* Font)
: _Dc(Dc), AssociatedWindow(Window), AssociatedControl(Ctrl), Bounds(Bounds), ToolTipText(Text), BackColor(BackColor), ForeColor(ForeColor), Font(Font)
{
this->Graphics = std::make_unique<Drawing::Graphics>(Dc);

View File

@ -13,7 +13,7 @@ namespace Forms
{
public:
DrawToolTipEventArgs() = default;
DrawToolTipEventArgs(HDC Dc, Control* Window, Control* Ctrl, Drawing::Rectangle Bounds, const string& Text, Drawing::Color BackColor, Drawing::Color ForeColor, Drawing::Font* Font);
DrawToolTipEventArgs(HDC Dc, Control* Window, Control* Ctrl, Drawing::Rectangle Bounds, const String& Text, Drawing::Color BackColor, Drawing::Color ForeColor, Drawing::Font* Font);
~DrawToolTipEventArgs() = default;
// The graphics object used to paint during this event
@ -21,7 +21,7 @@ namespace Forms
// The bounds used for painting during this event
Drawing::Rectangle Bounds;
// The text that should be drawn
string ToolTipText;
String ToolTipText;
// The font used to draw tooltip text
Drawing::Font* Font;

View File

@ -5,14 +5,14 @@
namespace System
{
const string Environment::NewLine = "\r\n";
const String Environment::NewLine = "\r\n";
void Environment::Exit(int32_t ExitCode)
{
std::exit(ExitCode);
}
string Environment::GetFolderPath(SpecialFolder Folder)
String Environment::GetFolderPath(SpecialFolder Folder)
{
char Buffer[MAX_PATH + 1]{};
auto Result = SHGetFolderPathA(NULL, (int)Folder, NULL, SHGFP_TYPE_CURRENT, Buffer);
@ -20,10 +20,10 @@ namespace System
if (Result < 0)
return "";
return string(Buffer);
return String(Buffer);
}
string Environment::GetApplicationPath()
String Environment::GetApplicationPath()
{
char Buffer[MAX_PATH + 1]{};
auto mResult = GetModuleFileNameA(NULL, Buffer, MAX_PATH);
@ -34,7 +34,7 @@ namespace System
return "";
}
string Environment::GetApplication()
String Environment::GetApplication()
{
char Buffer[MAX_PATH + 1]{};
auto mResult = GetModuleFileNameA(NULL, Buffer, MAX_PATH);
@ -45,14 +45,14 @@ namespace System
return "";
}
string Environment::GetCommandLine()
String Environment::GetCommandLine()
{
return string(GetCommandLineA());
return String(GetCommandLineA());
}
List<string> Environment::GetCommandLineArgs()
List<String> Environment::GetCommandLineArgs()
{
auto Result = List<string>();
auto Result = List<String>();
int nArgs = 0;
auto szArgList = CommandLineToArgvW(GetCommandLineW(), &nArgs);
@ -60,28 +60,28 @@ namespace System
return Result;
for (int i = 0; i < nArgs; i++)
Result.EmplaceBack(std::move(wstring(szArgList[i]).ToString()));
Result.EmplaceBack(std::move(WString(szArgList[i]).ToString()));
LocalFree(szArgList);
return Result;
}
string Environment::GetUserName()
String Environment::GetUserName()
{
char Buffer[1024]{};
DWORD BufferSize = 1024;
GetUserNameA(Buffer, &BufferSize);
return string(Buffer);
return String(Buffer);
}
string Environment::GetComputerName()
String Environment::GetComputerName()
{
char Buffer[MAX_COMPUTERNAME_LENGTH + 1]{};
DWORD BufferSize = MAX_COMPUTERNAME_LENGTH;
GetComputerNameA(Buffer, &BufferSize);
return string(Buffer);
return String(Buffer);
}
uint64_t Environment::GetTickCount()
@ -89,7 +89,7 @@ namespace System
return GetTickCount64();
}
void Environment::SetEnvironmentVariable(const string& Key, const string& Value)
void Environment::SetEnvironmentVariable(const String& Key, const String& Value)
{
if (Key.Length() == 0 || Value.Length() == 0)
return;
@ -97,22 +97,22 @@ namespace System
SetEnvironmentVariableA((const char*)Key, (const char*)Value);
}
string Environment::GetEnvironmentVariable(const string& Key)
String Environment::GetEnvironmentVariable(const String& Key)
{
char Buffer[1024]{};
GetEnvironmentVariableA((const char*)Key, Buffer, 1024);
return string(Buffer);
return String(Buffer);
}
string Environment::ExpandEnvironmentVariables(const string& Path)
String Environment::ExpandEnvironmentVariables(const String& Path)
{
char Buffer[4096]{};
ExpandEnvironmentStringsA((const char*)Path, Buffer, 4096);
// In theory, this should be ok, since, most paths will be used for actual file paths, < 260 chars anyways...
return string(Buffer);
return String(Buffer);
}
constexpr bool Environment::Is64BitProcess()

View File

@ -20,33 +20,33 @@ namespace System
static void Exit(int32_t ExitCode);
// Gets the path to the specific system file folder
static string GetFolderPath(SpecialFolder Folder);
static String GetFolderPath(SpecialFolder Folder);
// Returns the application path
static string GetApplicationPath();
static String GetApplicationPath();
// Returns the application
static string GetApplication();
static String GetApplication();
// Rethrns the full command line string
static string GetCommandLine();
static String GetCommandLine();
// Returns a list of command line arguments
static List<string> GetCommandLineArgs();
static List<String> GetCommandLineArgs();
// Returns the current users account name
static string GetUserName();
static String GetUserName();
// Returns the current computer name
static string GetComputerName();
static String GetComputerName();
// Returns the total tick count since startup
static uint64_t GetTickCount();
// Sets an environment variable to the specified value
static void SetEnvironmentVariable(const string& Key, const string& Value);
static void SetEnvironmentVariable(const String& Key, const String& Value);
// Gets an environment variable from the specified key
static string GetEnvironmentVariable(const string& Key);
static String GetEnvironmentVariable(const String& Key);
// Expands environment variables in the given path
static string ExpandEnvironmentVariables(const string& Path);
static String ExpandEnvironmentVariables(const String& Path);
// Returns whether or not we are a 64bit process
constexpr static bool Is64BitProcess();
// Returns a newline string for the environment
const static string NewLine;
const static String NewLine;
};
}

View File

@ -23,9 +23,9 @@ namespace Assets::Exporters
{
public:
// Exports the given animation to the provided path.
virtual bool ExportAnimation(const Animation& Animation, const string& Path) = 0;
virtual bool ExportAnimation(const Animation& Animation, const String& Path) = 0;
// Exports the given model to the provided path.
virtual bool ExportModel(const Model& Model, const string& Path) = 0;
virtual bool ExportModel(const Model& Model, const String& Path) = 0;
// Gets the file extension for this exporters model format.
virtual imstring ModelExtension() = 0;

View File

@ -3,7 +3,7 @@
namespace IO
{
void File::Copy(const string& SourceFileName, const string& DestinationFileName, bool OverWrite)
void File::Copy(const String& SourceFileName, const String& DestinationFileName, bool OverWrite)
{
auto Result = CopyFileA((const char*)SourceFileName, (const char*)DestinationFileName, !OverWrite);
if (!Result)
@ -21,7 +21,7 @@ namespace IO
}
}
void File::Delete(const string& FilePath)
void File::Delete(const String& FilePath)
{
auto Result = DeleteFileA((const char*)FilePath);
if (!Result)
@ -39,7 +39,7 @@ namespace IO
}
}
void File::Decrypt(const string& FilePath)
void File::Decrypt(const String& FilePath)
{
auto Result = DecryptFileA((const char*)FilePath, 0);
if (!Result)
@ -57,7 +57,7 @@ namespace IO
}
}
void File::Encrypt(const string& FilePath)
void File::Encrypt(const String& FilePath)
{
auto Result = EncryptFileA((const char*)FilePath);
if (!Result)
@ -75,7 +75,7 @@ namespace IO
}
}
bool File::Exists(const string& FilePath)
bool File::Exists(const String& FilePath)
{
if (FilePath.Length() == 0)
return false;
@ -90,7 +90,7 @@ namespace IO
return false;
}
void File::Move(const string& SourceFileName, const string& DestinationFileName, bool OverWrite)
void File::Move(const String& SourceFileName, const String& DestinationFileName, bool OverWrite)
{
if (File::Exists(DestinationFileName))
{
@ -116,47 +116,47 @@ namespace IO
}
}
std::unique_ptr<FileStream> File::Create(const string& FilePath)
std::unique_ptr<FileStream> File::Create(const String& FilePath)
{
return std::make_unique<FileStream>(FilePath, FileMode::Create, FileAccess::ReadWrite, FileShare::None);
}
std::unique_ptr<FileStream> File::Open(const string& FilePath, FileMode Mode)
std::unique_ptr<FileStream> File::Open(const String& FilePath, FileMode Mode)
{
return File::Open(FilePath, Mode, (Mode == FileMode::Append ? FileAccess::Write : FileAccess::ReadWrite), FileShare::None);
}
std::unique_ptr<FileStream> File::Open(const string& FilePath, FileMode Mode, FileAccess Access)
std::unique_ptr<FileStream> File::Open(const String& FilePath, FileMode Mode, FileAccess Access)
{
return File::Open(FilePath, Mode, Access, FileShare::None);
}
std::unique_ptr<FileStream> File::Open(const string& FilePath, FileMode Mode, FileAccess Access, FileShare Share)
std::unique_ptr<FileStream> File::Open(const String& FilePath, FileMode Mode, FileAccess Access, FileShare Share)
{
return std::make_unique<FileStream>(FilePath, Mode, Access, Share);
}
std::unique_ptr<FileStream> File::OpenRead(const string& FilePath)
std::unique_ptr<FileStream> File::OpenRead(const String& FilePath)
{
return std::make_unique<FileStream>(FilePath, FileMode::Open, FileAccess::Read, FileShare::Read);
}
std::unique_ptr<FileStream> File::OpenWrite(const string& FilePath)
std::unique_ptr<FileStream> File::OpenWrite(const String& FilePath)
{
return std::make_unique<FileStream>(FilePath, FileMode::OpenOrCreate, FileAccess::Write, FileShare::None);
}
std::unique_ptr<FileStream> File::OpenAppend(const string & FilePath)
std::unique_ptr<FileStream> File::OpenAppend(const String & FilePath)
{
return std::make_unique<FileStream>(FilePath, FileMode::Append, FileAccess::Write, FileShare::None);
}
string File::ReadAllText(const string& FilePath)
String File::ReadAllText(const String& FilePath)
{
return StreamReader(File::OpenRead(FilePath)).ReadToEnd();
}
List<uint8_t> File::ReadAllBytes(const string& FilePath)
List<uint8_t> File::ReadAllBytes(const String& FilePath)
{
auto FileReader = BinaryReader(File::OpenRead(FilePath));
auto FileLength = FileReader.GetBaseStream()->GetLength();
@ -168,9 +168,9 @@ namespace IO
return Result;
}
List<string> File::ReadAllLines(const string& FilePath)
List<String> File::ReadAllLines(const String& FilePath)
{
auto Result = List<string>();
auto Result = List<String>();
auto FileReader = StreamReader(File::OpenRead(FilePath));
auto BaseStream = FileReader.GetBaseStream();
@ -180,22 +180,22 @@ namespace IO
return Result;
}
void File::WriteAllText(const string& FilePath, const string& Text)
void File::WriteAllText(const String& FilePath, const String& Text)
{
StreamWriter(File::Create(FilePath)).Write(Text);
}
void File::WriteAllBytes(const string& FilePath, const List<uint8_t>& Bytes)
void File::WriteAllBytes(const String& FilePath, const List<uint8_t>& Bytes)
{
BinaryWriter(File::Create(FilePath)).Write((uint8_t*)Bytes, 0, Bytes.Count());
}
void File::WriteAllBytes(const string& FilePath, const uint8_t* Bytes, uint64_t Count)
void File::WriteAllBytes(const String& FilePath, const uint8_t* Bytes, uint64_t Count)
{
BinaryWriter(File::Create(FilePath)).Write((uint8_t*)Bytes, 0, Count);
}
void File::WriteAllLines(const string& FilePath, const List<string>& Lines)
void File::WriteAllLines(const String& FilePath, const List<String>& Lines)
{
auto Writer = StreamWriter(File::Create(FilePath));

View File

@ -20,47 +20,47 @@ namespace IO
{
public:
// Copies an existing file to a new file, overwriting if specified
static void Copy(const string& SourceFileName, const string& DestinationFileName, bool OverWrite = false);
static void Copy(const String& SourceFileName, const String& DestinationFileName, bool OverWrite = false);
// Deletes a file permanently
static void Delete(const string& FilePath);
static void Delete(const String& FilePath);
// Decrypts a file from a NTFS volume
static void Decrypt(const string& FilePath);
static void Decrypt(const String& FilePath);
// Encrypts a file from a NTFS volume
static void Encrypt(const string& FilePath);
static void Encrypt(const String& FilePath);
// Whether or not the file exists
static bool Exists(const string& FilePath);
static bool Exists(const String& FilePath);
// Moves an existing file to a new location, overwriting if specified
static void Move(const string& SourceFileName, const string& DestinationFileName, bool OverWrite = false);
static void Move(const String& SourceFileName, const String& DestinationFileName, bool OverWrite = false);
// Creates a file in a particular path with ReadWrite access
static std::unique_ptr<FileStream> Create(const string& FilePath);
static std::unique_ptr<FileStream> Create(const String& FilePath);
// Opens a file in a particular path with the given mode
static std::unique_ptr<FileStream> Open(const string& FilePath, FileMode Mode);
static std::unique_ptr<FileStream> Open(const String& FilePath, FileMode Mode);
// Opens a file in a particular path with the given mode
static std::unique_ptr<FileStream> Open(const string& FilePath, FileMode Mode, FileAccess Access);
static std::unique_ptr<FileStream> Open(const String& FilePath, FileMode Mode, FileAccess Access);
// Opens a file in a particular path with the given mode
static std::unique_ptr<FileStream> Open(const string& FilePath, FileMode Mode, FileAccess Access, FileShare Share);
static std::unique_ptr<FileStream> Open(const String& FilePath, FileMode Mode, FileAccess Access, FileShare Share);
// Opens a file in a particular path for reading
static std::unique_ptr<FileStream> OpenRead(const string& FilePath);
static std::unique_ptr<FileStream> OpenRead(const String& FilePath);
// Opens a file in a particular path for writing
static std::unique_ptr<FileStream> OpenWrite(const string& FilePath);
static std::unique_ptr<FileStream> OpenWrite(const String& FilePath);
// Opens or creates a file in a particular path for appending
static std::unique_ptr<FileStream> OpenAppend(const string& FilePath);
static std::unique_ptr<FileStream> OpenAppend(const String& FilePath);
// Reads the entire specified file as a text
static string ReadAllText(const string& FilePath);
static String ReadAllText(const String& FilePath);
// Reads the entire specified file as bytes
static List<uint8_t> ReadAllBytes(const string& FilePath);
static List<uint8_t> ReadAllBytes(const String& FilePath);
// Reads all the lines in the specified text file
static List<string> ReadAllLines(const string& FilePath);
static List<String> ReadAllLines(const String& FilePath);
// Writes the specified text to the a file
static void WriteAllText(const string& FilePath, const string& Text);
static void WriteAllText(const String& FilePath, const String& Text);
// Writes the specified bytes to the file
static void WriteAllBytes(const string& FilePath, const List<uint8_t>& Bytes);
static void WriteAllBytes(const String& FilePath, const List<uint8_t>& Bytes);
// Writes the specified bytes to the file
static void WriteAllBytes(const string& FilePath, const uint8_t* Bytes, uint64_t Count);
static void WriteAllBytes(const String& FilePath, const uint8_t* Bytes, uint64_t Count);
// Writes the specified lines to the file
static void WriteAllLines(const string& FilePath, const List<string>& Lines);
static void WriteAllLines(const String& FilePath, const List<String>& Lines);
};
}

View File

@ -3,22 +3,22 @@
namespace IO
{
FileStream::FileStream(const string& Path, FileMode Mode)
FileStream::FileStream(const String& Path, FileMode Mode)
: FileStream(Path, Mode, (Mode == FileMode::Append ? FileAccess::Write : FileAccess::ReadWrite), FileShare::Read)
{
}
FileStream::FileStream(const string& Path, FileMode Mode, FileAccess Access)
FileStream::FileStream(const String& Path, FileMode Mode, FileAccess Access)
: FileStream(Path, Mode, Access, FileShare::Read)
{
}
FileStream::FileStream(const string& Path, FileMode Mode, FileAccess Access, FileShare Share)
FileStream::FileStream(const String& Path, FileMode Mode, FileAccess Access, FileShare Share)
: FileStream(Path, Mode, Access, Share, FileStream::DefaultBufferSize)
{
}
FileStream::FileStream(const string & Path, FileMode Mode, FileAccess Access, FileShare Share, uint32_t BufferSize)
FileStream::FileStream(const String & Path, FileMode Mode, FileAccess Access, FileShare Share, uint32_t BufferSize)
{
this->SetupStream(Path, Mode, Access, Share, BufferSize);
}
@ -421,7 +421,7 @@ namespace IO
return TotalRead;
}
void FileStream::SetupStream(const string& Path, FileMode Mode, FileAccess Access, FileShare Share, uint32_t BufferSize)
void FileStream::SetupStream(const String& Path, FileMode Mode, FileAccess Access, FileShare Share, uint32_t BufferSize)
{
// Easy way to make sure we have a fresh stream
this->Close();

View File

@ -15,10 +15,10 @@ namespace IO
class FileStream : public Stream
{
public:
FileStream(const string& Path, FileMode Mode);
FileStream(const string& Path, FileMode Mode, FileAccess Access);
FileStream(const string& Path, FileMode Mode, FileAccess Access, FileShare Share);
FileStream(const string& Path, FileMode Mode, FileAccess Access, FileShare Share, uint32_t BufferSize);
FileStream(const String& Path, FileMode Mode);
FileStream(const String& Path, FileMode Mode, FileAccess Access);
FileStream(const String& Path, FileMode Mode, FileAccess Access, FileShare Share);
FileStream(const String& Path, FileMode Mode, FileAccess Access, FileShare Share, uint32_t BufferSize);
virtual ~FileStream();
// Implement Getters and Setters
@ -71,7 +71,7 @@ namespace IO
uint64_t ReadCore(uint8_t* Buffer, uint64_t Offset, uint64_t Count);
// Sets up the FileStream
void SetupStream(const string& Path, FileMode Mode, FileAccess Access, FileShare Share, uint32_t BufferSize);
void SetupStream(const String& Path, FileMode Mode, FileAccess Access, FileShare Share, uint32_t BufferSize);
// Internal buffer size default 4k
constexpr static uint32_t DefaultBufferSize = 4096;

View File

@ -12,7 +12,7 @@ struct HashComparer
return Hashing::XXHash::HashValue(Value);
else if constexpr (std::is_enum<TType>::value)
return Hashing::XXHash::HashValue((uint32_t)Value);
else if constexpr (std::is_same<TType, string>::value)
else if constexpr (std::is_same<TType, String>::value)
return Hashing::XXHash::HashString(Value);
}

View File

@ -37,7 +37,7 @@ namespace Drawing
return this->_IconHandleSm;
}
std::unique_ptr<Icon> Icon::FromFile(const string& File)
std::unique_ptr<Icon> Icon::FromFile(const String& File)
{
auto Result = std::make_unique<Icon>();

View File

@ -21,7 +21,7 @@ namespace Drawing
HICON SmallHandle();
// Loads an icon resouce from a file.
static std::unique_ptr<Icon> FromFile(const string& File);
static std::unique_ptr<Icon> FromFile(const String& File);
// Loads an icon resource from a resource.
static std::unique_ptr<Icon> FromResource(const int32_t ID);
// Loads the application defined icon.

View File

@ -50,7 +50,7 @@ namespace Assets::Exporters
{
auto& Texture = ObjectsNode.Children.Emplace("Texture");
auto TextureName = Material.Name + "_c" + string("\u0000\u0001Texture", 9);
auto TextureName = Material.Name + "_c" + String("\u0000\u0001Texture", 9);
Texture.AddPropertyInteger64(TextureId);
Texture.AddPropertyString(TextureName);
@ -92,9 +92,9 @@ namespace Assets::Exporters
Prop.AddPropertyInteger32(1);
}
Texture.Children.Emplace("Media").AddPropertyString(Material.Name + "_c" + string("\u0000\u0001Video", 7));
Texture.Children.Emplace("Media").AddPropertyString(Material.Name + "_c" + String("\u0000\u0001Video", 7));
string DiffuseMap = "";
String DiffuseMap = "";
if (Material.Slots.ContainsKey(MaterialSlotType::Albedo))
DiffuseMap = Material.Slots[MaterialSlotType::Albedo].first;
else if (Material.Slots.ContainsKey(MaterialSlotType::Diffuse))
@ -109,7 +109,7 @@ namespace Assets::Exporters
auto& SkinDeformer = ObjectsNode.Children.Emplace("Deformer");
SkinDeformer.AddPropertyInteger64(DeformerId);
SkinDeformer.AddPropertyString(string::Format("KoreLibMesh%02d", SubmeshIndex) + string("\u0000\u0001Deformer", 10));
SkinDeformer.AddPropertyString(String::Format("KoreLibMesh%02d", SubmeshIndex) + String("\u0000\u0001Deformer", 10));
SkinDeformer.AddPropertyString("Skin");
SkinDeformer.Children.Emplace("Version").AddPropertyInteger32(101);
@ -123,7 +123,7 @@ namespace Assets::Exporters
auto& SubDeformer = ObjectsNode.Children.Emplace("Deformer");
SubDeformer.AddPropertyInteger64(DeformerId);
SubDeformer.AddPropertyString(string::Format("KoreLibMesh%02d_Bone%02d", SubmeshIndex, BoneIndex) + string("\u0000\u0001SubDeformer", 13));
SubDeformer.AddPropertyString(String::Format("KoreLibMesh%02d_Bone%02d", SubmeshIndex, BoneIndex) + String("\u0000\u0001SubDeformer", 13));
SubDeformer.AddPropertyString("Cluster");
SubDeformer.Children.Emplace("Version").AddPropertyInteger32(100);
@ -146,12 +146,12 @@ namespace Assets::Exporters
}
}
bool KaydaraFBX::ExportAnimation(const Animation& Animation, const string& Path)
bool KaydaraFBX::ExportAnimation(const Animation& Animation, const String& Path)
{
return false;
}
bool KaydaraFBX::ExportModel(const Model& Model, const string& Path)
bool KaydaraFBX::ExportModel(const Model& Model, const String& Path)
{
auto Writer = IO::BinaryWriter(IO::File::Create(Path));
auto FileName = IO::Path::GetFileNameWithoutExtension(Path);
@ -175,7 +175,7 @@ namespace Assets::Exporters
auto& RootJointsNode = ObjectsNode.Children.Emplace("Model");
RootModelNode.AddPropertyInteger64(RootModelId);
RootModelNode.AddPropertyString(FileName + string("\u0000\u0001Model", 7));
RootModelNode.AddPropertyString(FileName + String("\u0000\u0001Model", 7));
RootModelNode.AddPropertyString("Null");
RootJointsNode.AddPropertyInteger64(RootJointsId);
@ -215,7 +215,7 @@ namespace Assets::Exporters
auto Rotation = Bone.LocalRotation().ToEulerAngles();
JointModelNode.AddPropertyInteger64(UniqueId);
JointModelNode.AddPropertyString(Bone.Name() + string("\u0000\u0001Model", 7));
JointModelNode.AddPropertyString(Bone.Name() + String("\u0000\u0001Model", 7));
JointModelNode.AddPropertyString("LimbNode");
JointModelNode.Children.Emplace("Version").AddPropertyInteger32(232);
@ -314,7 +314,7 @@ namespace Assets::Exporters
auto& MaterialNode = ObjectsNode.Children.Emplace("Material");
MaterialNode.AddPropertyInteger64(UniqueId);
MaterialNode.AddPropertyString(Mat.Name + string("\u0000\u0001Material", 10));
MaterialNode.AddPropertyString(Mat.Name + String("\u0000\u0001Material", 10));
MaterialNode.AddPropertyString("");
MaterialNode.Children.Emplace("Version").AddPropertyInteger32(102);
@ -326,13 +326,13 @@ namespace Assets::Exporters
UniqueId++;
MatIndex++;
string DiffuseMap = "";
String DiffuseMap = "";
if (Mat.Slots.ContainsKey(MaterialSlotType::Albedo))
DiffuseMap = Mat.Slots[MaterialSlotType::Albedo].first;
else if (Mat.Slots.ContainsKey(MaterialSlotType::Diffuse))
DiffuseMap = Mat.Slots[MaterialSlotType::Diffuse].first;
if (!string::IsNullOrWhiteSpace(DiffuseMap))
if (!String::IsNullOrWhiteSpace(DiffuseMap))
{
InitializeMaterialTexture(ObjectsNode, Mat, UniqueId);
AddObjectPropertyConnection(ConnectionsNode, UniqueId, UniqueId - 1, "DiffuseColor");
@ -346,7 +346,7 @@ namespace Assets::Exporters
auto& MeshModelNode = ObjectsNode.Children.Emplace("Model");
MeshModelNode.AddPropertyInteger64(ModelId);
MeshModelNode.AddPropertyString(string::Format("KoreLibMesh%02d", SubmeshIndex) + string("\u0000\u0001Model", 7));
MeshModelNode.AddPropertyString(String::Format("KoreLibMesh%02d", SubmeshIndex) + String("\u0000\u0001Model", 7));
MeshModelNode.AddPropertyString("Mesh");
MeshModelNode.Children.Emplace("Version").AddPropertyInteger32(232);
@ -389,7 +389,7 @@ namespace Assets::Exporters
auto& MeshNode = ObjectsNode.Children.Emplace("Geometry");
MeshNode.AddPropertyInteger64(UniqueId);
MeshNode.AddPropertyString(string::Format("KoreLibMesh%02d", SubmeshIndex) + string("\u0000\u0001Geometry", 10));
MeshNode.AddPropertyString(String::Format("KoreLibMesh%02d", SubmeshIndex) + String("\u0000\u0001Geometry", 10));
MeshNode.AddPropertyString("Mesh");
MeshNode.Children.EmplaceBack("Properties70");
@ -442,7 +442,7 @@ namespace Assets::Exporters
LayerUVs.AddPropertyInteger32(i);
LayerUVs.Children.Emplace("Version").AddPropertyInteger32(101);
LayerUVs.Children.Emplace("Name").AddPropertyString(string::Format("map%d", i + 1));
LayerUVs.Children.Emplace("Name").AddPropertyString(String::Format("map%d", i + 1));
LayerUVs.Children.Emplace("MappingInformationType").AddPropertyString("ByVertice");
LayerUVs.Children.Emplace("ReferenceInformationType").AddPropertyString("Direct");

View File

@ -13,9 +13,9 @@ namespace Assets::Exporters
~KaydaraFBX() = default;
// Exports the given animation to the provided path.
virtual bool ExportAnimation(const Animation& Animation, const string& Path);
virtual bool ExportAnimation(const Animation& Animation, const String& Path);
// Exports the given model to the provided path.
virtual bool ExportModel(const Model& Model, const string& Path);
virtual bool ExportModel(const Model& Model, const String& Path);
// Gets the file extension for this exporters model format.
virtual imstring ModelExtension();

View File

@ -127,9 +127,9 @@ namespace Assets::Exporters
void KaydaraFBXDocument::InitializeGenerics()
{
string s1(HeaderFileIdNode.second);
string s2(HeaderCreationTimeNode.second);
string s3(HeaderExtensionCreatorProperty.second);
String s1(HeaderFileIdNode.second);
String s2(HeaderCreationTimeNode.second);
String s3(HeaderExtensionCreatorProperty.second);
this->Nodes.Emplace(HeaderFileIdNode.first).Properties.EmplaceBack('R', &s1);
this->Nodes.Emplace(HeaderCreationTimeNode.first).Properties.EmplaceBack('S', &s2);
this->Nodes.Emplace(HeaderExtensionCreatorProperty.first).Properties.EmplaceBack('S', &s3);
@ -232,7 +232,7 @@ namespace Assets::Exporters
case 'R':
case 'S':
_StringValue = *(string*)Data;
_StringValue = *(String*)Data;
break;
}
}
@ -402,7 +402,7 @@ namespace Assets::Exporters
return this->_IntegralValue;
}
KaydaraFBXNode::KaydaraFBXNode(const string& Name)
KaydaraFBXNode::KaydaraFBXNode(const String& Name)
: Name(Name)
{
}
@ -484,32 +484,32 @@ namespace Assets::Exporters
this->Properties.EmplaceBack('D', &Value);
}
void KaydaraFBXNode::AddPropertyString(const string& Value)
void KaydaraFBXNode::AddPropertyString(const String& Value)
{
this->Properties.EmplaceBack('S', &Value);
}
void KaydaraFBXNode::AddPropertyString(const char* Value)
{
string s(Value);
String s(Value);
this->Properties.EmplaceBack('S', &s);
}
void KaydaraFBXNode::AddPropertyString(const char* Value, const uint32_t Length)
{
string s(Value, Length);
String s(Value, Length);
this->Properties.EmplaceBack('S', &s);
}
void KaydaraFBXNode::AddPropertyRaw(const char* Value)
{
string s(Value);
String s(Value);
this->Properties.EmplaceBack('R', &s);
}
void KaydaraFBXNode::AddPropertyRaw(const char* Value, const uint32_t Length)
{
string s(Value, Length);
String s(Value, Length);
this->Properties.EmplaceBack('R', &s);
}

View File

@ -53,7 +53,7 @@ namespace Assets::Exporters
List<KaydaraFBXIntegralProperty> _IntegralArrayValues;
// Internal value for string and raw types
string _StringValue;
String _StringValue;
};
// Represents a node of an FBXDocument.
@ -61,7 +61,7 @@ namespace Assets::Exporters
{
public:
KaydaraFBXNode() = default;
KaydaraFBXNode(const string& Name);
KaydaraFBXNode(const String& Name);
explicit KaydaraFBXNode(const char* Name);
// Prepares a new node.
@ -76,7 +76,7 @@ namespace Assets::Exporters
void AddPropertyInteger64(uint64_t Value);
void AddPropertyFloat32(float Value);
void AddPropertyFloat64(double Value);
void AddPropertyString(const string& Value);
void AddPropertyString(const String& Value);
void AddPropertyString(const char* Value);
void AddPropertyString(const char* Value, const uint32_t Length);
void AddPropertyRaw(const char* Value);
@ -93,7 +93,7 @@ namespace Assets::Exporters
// A list of child nodes.
List<KaydaraFBXNode> Children;
// The name of this node.
string Name;
String Name;
};
// Represents the root of an FBX container.

View File

@ -8,7 +8,7 @@ namespace Forms
{
}
LabelEditEventArgs::LabelEditEventArgs(int32_t Item, const string& Label)
LabelEditEventArgs::LabelEditEventArgs(int32_t Item, const String& Label)
: Item(Item), Label(Label), CancelEdit(false)
{
}

View File

@ -10,11 +10,11 @@ namespace Forms
{
public:
LabelEditEventArgs(int32_t Item);
LabelEditEventArgs(int32_t Item, const string& Label);
LabelEditEventArgs(int32_t Item, const String& Label);
~LabelEditEventArgs() = default;
// The new text for the item.
string Label;
String Label;
// The index of the item being edited.
int32_t Item;
// Whether or not to cancel the changes.

View File

@ -859,7 +859,7 @@ namespace Forms
return (int32_t)SendMessageA(this->_Handle, LVM_GETITEMSTATE, (WPARAM)Index, LVIS_FOCUSED | LVIS_SELECTED | LVIS_CUT | LVIS_DROPHILITED | LVIS_OVERLAYMASK | LVIS_STATEIMAGEMASK);
}
std::pair<string, ListViewItemStyle> ListView::GetSubItem(int32_t Index, int32_t SubItem)
std::pair<String, ListViewItemStyle> ListView::GetSubItem(int32_t Index, int32_t SubItem)
{
if (!VirtualMode())
{
@ -867,13 +867,13 @@ namespace Forms
auto& Text = Item.SubItem(SubItem);
auto& Style = Item.SubItemStyle(SubItem);
return std::pair<string, ListViewItemStyle>(Text, Style);
return std::pair<String, ListViewItemStyle>(Text, Style);
}
auto EventArgs = std::make_unique<RetrieveVirtualItemEventArgs>(Index, SubItem);
OnRetrieveVirtualItem(EventArgs);
return std::pair<string, ListViewItemStyle>(EventArgs->Text, EventArgs->Style);
return std::pair<String, ListViewItemStyle>(EventArgs->Text, EventArgs->Style);
}
void ListView::SetColumnInfo(int32_t Mask, ColumnHeader& Header)

View File

@ -301,7 +301,7 @@ namespace Forms
int32_t GetItemState(int32_t Index);
// Internal routine to get a sub item
std::pair<string, ListViewItemStyle> GetSubItem(int32_t Index, int32_t SubItem);
std::pair<String, ListViewItemStyle> GetSubItem(int32_t Index, int32_t SubItem);
// Internal routine to set column indices
void SetDisplayIndices(const std::unique_ptr<int32_t[]>& Indices, int32_t Count);

View File

@ -8,14 +8,14 @@ namespace Forms
{
}
ListViewItem::ListViewItem(std::initializer_list<string> SubItems)
: _SubItems(std::make_unique<string[]>(SubItems.size())), _SubItemStyles(std::make_unique<ListViewItemStyle[]>(SubItems.size())), Index(-1), _SubItemCount((uint32_t)SubItems.size())
ListViewItem::ListViewItem(std::initializer_list<String> SubItems)
: _SubItems(std::make_unique<String[]>(SubItems.size())), _SubItemStyles(std::make_unique<ListViewItemStyle[]>(SubItems.size())), Index(-1), _SubItemCount((uint32_t)SubItems.size())
{
std::copy(SubItems.begin(), SubItems.end(), _SubItems.get());
}
ListViewItem::ListViewItem(std::initializer_list<string> SubItems, std::initializer_list<ListViewItemStyle> SubItemStyles)
: _SubItems(std::make_unique<string[]>(SubItems.size())), _SubItemStyles(std::make_unique<ListViewItemStyle[]>(SubItemStyles.size())), Index(-1), _SubItemCount((uint32_t)SubItems.size())
ListViewItem::ListViewItem(std::initializer_list<String> SubItems, std::initializer_list<ListViewItemStyle> SubItemStyles)
: _SubItems(std::make_unique<String[]>(SubItems.size())), _SubItemStyles(std::make_unique<ListViewItemStyle[]>(SubItemStyles.size())), Index(-1), _SubItemCount((uint32_t)SubItems.size())
{
std::copy(SubItems.begin(), SubItems.end(), _SubItems.get());
std::copy(SubItemStyles.begin(), SubItemStyles.end(), _SubItemStyles.get());
@ -25,7 +25,7 @@ namespace Forms
{
this->_SubItemCount = Rhs._SubItemCount;
this->_SubItems = std::make_unique<string[]>(_SubItemCount);
this->_SubItems = std::make_unique<String[]>(_SubItemCount);
this->_SubItemStyles = std::make_unique<ListViewItemStyle[]>(_SubItemCount);
std::copy(Rhs._SubItems.get(), Rhs._SubItems.get() + _SubItemCount, this->_SubItems.get());
@ -36,7 +36,7 @@ namespace Forms
{
this->_SubItemCount = Rhs._SubItemCount;
this->_SubItems = std::make_unique<string[]>(_SubItemCount);
this->_SubItems = std::make_unique<String[]>(_SubItemCount);
this->_SubItemStyles = std::make_unique<ListViewItemStyle[]>(_SubItemCount);
std::copy(Rhs._SubItems.get(), Rhs._SubItems.get() + _SubItemCount, this->_SubItems.get());
@ -45,7 +45,7 @@ namespace Forms
return *this;
}
const string& ListViewItem::Text() const
const String& ListViewItem::Text() const
{
return _SubItems[0];
}
@ -55,7 +55,7 @@ namespace Forms
return _SubItemStyles[0];
}
const string& ListViewItem::SubItem(uint32_t Index) const
const String& ListViewItem::SubItem(uint32_t Index) const
{
return _SubItems[Index];
}

View File

@ -27,8 +27,8 @@ namespace Forms
{
public:
ListViewItem();
ListViewItem(std::initializer_list<string> SubItems);
ListViewItem(std::initializer_list<string> SubItems, std::initializer_list<ListViewItemStyle> SubItemStyles);
ListViewItem(std::initializer_list<String> SubItems);
ListViewItem(std::initializer_list<String> SubItems, std::initializer_list<ListViewItemStyle> SubItemStyles);
ListViewItem(const ListViewItem& Rhs);
~ListViewItem() = default;
@ -36,12 +36,12 @@ namespace Forms
ListViewItem& operator=(const ListViewItem& Rhs);
// Gets the text associated with this list item.
const string& Text() const;
const String& Text() const;
// Gets the style associated with this list Item.
const ListViewItemStyle& Style() const;
// Gets the sub item text.
const string& SubItem(uint32_t Index) const;
const String& SubItem(uint32_t Index) const;
// Gets the sub item style.
const ListViewItemStyle& SubItemStyle(uint32_t Index) const;
@ -53,7 +53,7 @@ namespace Forms
private:
// Internal cached properties
std::unique_ptr<string[]> _SubItems;
std::unique_ptr<String[]> _SubItems;
std::unique_ptr<ListViewItemStyle[]> _SubItemStyles;
uint32_t _SubItemCount;
};

View File

@ -127,7 +127,7 @@ typedef void(__stdcall* FnGenBuffers)(GLsizei n, const GLuint* buffers);
typedef void(__stdcall* FnBindBuffer)(GLenum target, GLuint buffer);
typedef void(__stdcall* FnBindBufferBase)(GLenum target, GLuint index, GLuint buffer);
typedef void(__stdcall* FnBufferData)(GLenum target, GLsizeiptr size, const void* data, GLenum usage);
typedef void(__stdcall* FnShaderSource)(GLuint shader, GLsizei count, const GLchar* const* string, const GLint* length);
typedef void(__stdcall* FnShaderSource)(GLuint shader, GLsizei count, const GLchar* const* String, const GLint* length);
typedef void(__stdcall* FnUniformMatrix4fv)(GLint location, GLsizei count, GLboolean transpose, const GLfloat* value);
typedef void(__stdcall* FnVertexAttribPointer)(GLuint index, GLint size, GLenum type, GLboolean normalized, GLsizei stride, const void* pointer);
typedef void(__stdcall* FnBindVertexArray)(GLuint array);

View File

@ -9,7 +9,7 @@ namespace Assets
{
}
Material::Material(const string& Name, const uint64_t Hash)
Material::Material(const String& Name, const uint64_t Hash)
: Name(Name), Hash(Hash), SourceHash((uint64_t)-1), SourceString("")
{
}

View File

@ -44,20 +44,20 @@ namespace Assets
// Initialize a new default material.
Material();
// Initialize a new material.
Material(const string& Name, const uint64_t Hash);
Material(const String& Name, const uint64_t Hash);
// Destroy all material info.
~Material() = default;
// The unique name for this material.
string Name;
String Name;
// Name of the source identifier for this material.
string SourceString;
String SourceString;
// Hash of the source identifier for this material.
uint64_t SourceHash;
// The material texture slots
Dictionary<MaterialSlotType, std::pair<string, uint64_t>> Slots;
Dictionary<MaterialSlotType, std::pair<String, uint64_t>> Slots;
// The unique hash identifier for this material.
uint64_t Hash;

View File

@ -127,7 +127,7 @@ namespace Forms
return 0;
}
DialogResult MessageBox::ShowCore(const string& Text, const string& Caption, MessageBoxButtons Buttons, MessageBoxIcon Icon, MessageBoxDefaultButton DefaultButton, MessageBoxOptions Options, bool ShowHelp, Control* Owner)
DialogResult MessageBox::ShowCore(const String& Text, const String& Caption, MessageBoxButtons Buttons, MessageBoxIcon Icon, MessageBoxDefaultButton DefaultButton, MessageBoxOptions Options, bool ShowHelp, Control* Owner)
{
uint32_t Style = (ShowHelp) ? HELP_BUTTON : 0;
Style |= (int)Buttons | (int)Icon | (int)DefaultButton | (int)Options;
@ -164,37 +164,37 @@ namespace Forms
return Win32ToDialogResult(Result);
}
DialogResult MessageBox::Show(const string& Text)
DialogResult MessageBox::Show(const String& Text)
{
return ShowCore(Text, "", MessageBoxButtons::OK, MessageBoxIcon::None, MessageBoxDefaultButton::Button1, (MessageBoxOptions)0, false, nullptr);
}
DialogResult MessageBox::Show(const string& Text, const string& Caption)
DialogResult MessageBox::Show(const String& Text, const String& Caption)
{
return ShowCore(Text, Caption, MessageBoxButtons::OK, MessageBoxIcon::None, MessageBoxDefaultButton::Button1, (MessageBoxOptions)0, false, nullptr);
}
DialogResult MessageBox::Show(const string& Text, const string& Caption, MessageBoxButtons Buttons)
DialogResult MessageBox::Show(const String& Text, const String& Caption, MessageBoxButtons Buttons)
{
return ShowCore(Text, Caption, Buttons, MessageBoxIcon::None, MessageBoxDefaultButton::Button1, (MessageBoxOptions)0, false, nullptr);
}
DialogResult MessageBox::Show(const string& Text, const string& Caption, MessageBoxButtons Buttons, MessageBoxIcon Icon)
DialogResult MessageBox::Show(const String& Text, const String& Caption, MessageBoxButtons Buttons, MessageBoxIcon Icon)
{
return ShowCore(Text, Caption, Buttons, Icon, MessageBoxDefaultButton::Button1, (MessageBoxOptions)0, false, nullptr);
}
DialogResult MessageBox::Show(Control* Owner, const string& Text, const string& Caption, MessageBoxButtons Buttons, MessageBoxIcon Icon)
DialogResult MessageBox::Show(Control* Owner, const String& Text, const String& Caption, MessageBoxButtons Buttons, MessageBoxIcon Icon)
{
return ShowCore(Text, Caption, Buttons, Icon, MessageBoxDefaultButton::Button1, (MessageBoxOptions)0, false, Owner);
}
DialogResult MessageBox::Show(Control* Owner, const string& Text, const string& Caption, MessageBoxButtons Buttons, MessageBoxIcon Icon, MessageBoxDefaultButton DefaultButton)
DialogResult MessageBox::Show(Control* Owner, const String& Text, const String& Caption, MessageBoxButtons Buttons, MessageBoxIcon Icon, MessageBoxDefaultButton DefaultButton)
{
return ShowCore(Text, Caption, Buttons, Icon, DefaultButton, (MessageBoxOptions)0, false, Owner);
}
DialogResult MessageBox::Show(Control* Owner, const string& Text, const string& Caption, MessageBoxButtons Buttons, MessageBoxIcon Icon, MessageBoxDefaultButton DefaultButton, MessageBoxOptions Options)
DialogResult MessageBox::Show(Control* Owner, const String& Text, const String& Caption, MessageBoxButtons Buttons, MessageBoxIcon Icon, MessageBoxDefaultButton DefaultButton, MessageBoxOptions Options)
{
return ShowCore(Text, Caption, Buttons, Icon, DefaultButton, Options, false, Owner);
}

View File

@ -21,19 +21,19 @@ namespace Forms
{
public:
// Displays a message box with specified text.
static DialogResult Show(const string& Text);
static DialogResult Show(const String& Text);
// Displays a message box with specified text and caption.
static DialogResult Show(const string& Text, const string& Caption);
static DialogResult Show(const String& Text, const String& Caption);
// Displays a message box with specified text, caption, and style.
static DialogResult Show(const string& Text, const string& Caption, MessageBoxButtons Buttons);
static DialogResult Show(const String& Text, const String& Caption, MessageBoxButtons Buttons);
// Displays a message box with specified text, caption, and style.
static DialogResult Show(const string& Text, const string& Caption, MessageBoxButtons Buttons, MessageBoxIcon Icon);
static DialogResult Show(const String& Text, const String& Caption, MessageBoxButtons Buttons, MessageBoxIcon Icon);
// Displays a message box with specified text, caption, and style.
static DialogResult Show(Control* Owner, const string& Text, const string& Caption, MessageBoxButtons Buttons, MessageBoxIcon Icon);
static DialogResult Show(Control* Owner, const String& Text, const String& Caption, MessageBoxButtons Buttons, MessageBoxIcon Icon);
// Displays a message box with specified text, caption, and style.
static DialogResult Show(Control* Owner, const string& Text, const string& Caption, MessageBoxButtons Buttons, MessageBoxIcon Icon, MessageBoxDefaultButton DefaultButton);
static DialogResult Show(Control* Owner, const String& Text, const String& Caption, MessageBoxButtons Buttons, MessageBoxIcon Icon, MessageBoxDefaultButton DefaultButton);
// Displays a message box with specified text, caption, and style.
static DialogResult Show(Control* Owner, const string& Text, const string& Caption, MessageBoxButtons Buttons, MessageBoxIcon Icon, MessageBoxDefaultButton DefaultButton, MessageBoxOptions Options);
static DialogResult Show(Control* Owner, const String& Text, const String& Caption, MessageBoxButtons Buttons, MessageBoxIcon Icon, MessageBoxDefaultButton DefaultButton, MessageBoxOptions Options);
// Sets user defined message box colors for Foreground, Background, and Dialog Bottom Strip.
static void SetMessageBoxColors(Drawing::Color Foreground = Drawing::Color::Black, Drawing::Color Background = Drawing::Color::White, Drawing::Color Bottom = Drawing::Color(240, 240, 240));
@ -42,7 +42,7 @@ namespace Forms
// Converts a native windows result to a dialog result
static DialogResult Win32ToDialogResult(uint32_t Value);
// Handles message box logic
static DialogResult ShowCore(const string& Text, const string& Caption, MessageBoxButtons Buttons, MessageBoxIcon Icon, MessageBoxDefaultButton DefaultButton, MessageBoxOptions Options, bool ShowHelp, Control* Owner);
static DialogResult ShowCore(const String& Text, const String& Caption, MessageBoxButtons Buttons, MessageBoxIcon Icon, MessageBoxDefaultButton DefaultButton, MessageBoxOptions Options, bool ShowHelp, Control* Owner);
// Internal help button constant
constexpr static uint32_t HELP_BUTTON = 0x00004000;

View File

@ -31,7 +31,7 @@ namespace Assets
~Model() = default;
// The name of the model
string Name;
String Name;
// Ensure that our model is not copied or assigned to for performance reasons.
Model(const Model&) = delete;
@ -46,7 +46,7 @@ namespace Assets
// Adds a material to the collection if it doesn't already exist, returning it's index.
template<typename T>
uint32_t AddMaterial(const string& MaterialName, const T& SourceMap = T())
uint32_t AddMaterial(const String& MaterialName, const T& SourceMap = T())
{
auto MaterialHashCode = Hashing::XXHash::HashString(MaterialName);

View File

@ -6,9 +6,9 @@
namespace Forms
{
const string BuildOpenFileFilter(const string& Filter)
const String BuildOpenFileFilter(const String& Filter)
{
string InitialFilter = (string::IsNullOrWhiteSpace(Filter)) ? string(" |*.*") : Filter;
String InitialFilter = (String::IsNullOrWhiteSpace(Filter)) ? String(" |*.*") : Filter;
auto Buffer = std::make_unique<int8_t[]>((size_t)InitialFilter.Length() + 2); // Final filter has two null chars
auto BufferMask = (char*)Buffer.get();
@ -22,10 +22,10 @@ namespace Forms
BufferMask[InitialFilter.Length() + 1] = (char)0;
return string((char*)Buffer.get(), (size_t)InitialFilter.Length() + 1);
return String((char*)Buffer.get(), (size_t)InitialFilter.Length() + 1);
}
string OpenFileDialog::ShowFolderDialog(const string& Title, const string& BasePath, Control* Owner)
String OpenFileDialog::ShowFolderDialog(const String& Title, const String& BasePath, Control* Owner)
{
HWND OwnerHandle = (Owner != nullptr) ? Owner->GetHandle() : NULL;
@ -41,13 +41,13 @@ namespace Forms
bi.lParam = 0;
LPITEMIDLIST pidl = SHBrowseForFolderA(&bi);
if (pidl != NULL && SHGetPathFromIDListA(pidl, path))
return string(path);
return String(path);
// We need nothing as a default because we don't get a return value
return "";
}
string OpenFileDialog::ShowFileDialog(const string& Title, const string& BasePath, const string& Filter, Control* Owner)
String OpenFileDialog::ShowFileDialog(const String& Title, const String& BasePath, const String& Filter, Control* Owner)
{
HWND OwnerHandle = (Owner != nullptr) ? Owner->GetHandle() : NULL;
char Buffer[MAX_PATH]{};
@ -67,13 +67,13 @@ namespace Forms
// Open the dialog with the config and then return result
if (GetOpenFileNameA(&oFileDialog))
return string(Buffer);
return String(Buffer);
// We need nothing as a default because we don't get a return value
return "";
}
List<string> OpenFileDialog::ShowMultiFileDialog(const string& Title, const string& BasePath, const string& Filter, Control* Owner)
List<String> OpenFileDialog::ShowMultiFileDialog(const String& Title, const String& BasePath, const String& Filter, Control* Owner)
{
HWND OwnerHandle = (Owner != nullptr) ? Owner->GetHandle() : NULL;
char Buffer[0x2000]{};
@ -93,14 +93,14 @@ namespace Forms
oFileDialog.lpstrTitle = Title.ToCString();
oFileDialog.Flags = OFN_ALLOWMULTISELECT | OFN_HIDEREADONLY | OFN_EXPLORER;
List<string> ResultList;
List<String> ResultList;
// Open the dialog and parse each result
if (GetOpenFileNameA(&oFileDialog))
{
const char* Path = oFileDialog.lpstrFile;
auto BasePath = string(Path);
auto BasePath = String(Path);
while (*Path)
{
@ -110,7 +110,7 @@ namespace Forms
bFileLessPath = true;
}
auto FileName = string(Path);
auto FileName = String(Path);
ResultList.EmplaceBack(IO::Path::Combine(BasePath, FileName));
Path += ((size_t)FileName.Length() + 1);
}

View File

@ -12,11 +12,11 @@ namespace Forms
class OpenFileDialog
{
public:
static string ShowFolderDialog(const string& Title, const string& BasePath = "", Control* Owner = nullptr);
static String ShowFolderDialog(const String& Title, const String& BasePath = "", Control* Owner = nullptr);
// Opens the dialog and allows the user to select one file
static string ShowFileDialog(const string& Title, const string& BasePath = "", const string& Filter = " |*.*", Control* Owner = nullptr);
static String ShowFileDialog(const String& Title, const String& BasePath = "", const String& Filter = " |*.*", Control* Owner = nullptr);
// Opens the dialog and allows the user to select multiple files
static List<string> ShowMultiFileDialog(const string& Title, const string& BasePath = "", const string& Filter = " |*.*", Control* Owner = nullptr);
static List<String> ShowMultiFileDialog(const String& Title, const String& BasePath = "", const String& Filter = " |*.*", Control* Owner = nullptr);
};
}

View File

@ -3,15 +3,15 @@
namespace IO
{
string Path::ChangeExtension(const string& FilePath, const string& Extension)
String Path::ChangeExtension(const String& FilePath, const String& Extension)
{
string Base;
String Base;
for (int32_t i = FilePath.Length(); --i >= 0;)
{
auto& Ch = FilePath[i];
if (Ch == '.')
{
Base = FilePath.Substring(0, i);
Base = FilePath.SubString(0, i);
break;
}
@ -36,7 +36,7 @@ namespace IO
return Base;
}
string Path::GetDirectoryName(const string& Path)
String Path::GetDirectoryName(const String& Path)
{
// Cache the full length and root length
int32_t cLength = (int32_t)Path.Length();
@ -44,16 +44,16 @@ namespace IO
if (cLength > rLength)
{
// Iterate while not modifying the string for performance
// Iterate while not modifying the String for performance
while (cLength > rLength && Path[--cLength] != DirectorySeparatorChar && Path[cLength] != AltDirectorySeparatorChar);
return Path.Substring(0, cLength);
return Path.SubString(0, cLength);
}
return "";
}
string Path::GetExtension(const string& FilePath)
String Path::GetExtension(const String& FilePath)
{
// Cache full length
int32_t cLength = (int32_t)FilePath.Length();
@ -64,7 +64,7 @@ namespace IO
if (Ch == '.')
{
if (i != cLength - 1)
return FilePath.Substring(i, cLength - i);
return FilePath.SubString(i, cLength - i);
else
return "";
}
@ -77,7 +77,7 @@ namespace IO
return "";
}
string Path::GetFileName(const string& FilePath)
String Path::GetFileName(const String& FilePath)
{
int32_t cLength = (int32_t)FilePath.Length();
for (int32_t i = cLength; --i >= 0;)
@ -85,29 +85,29 @@ namespace IO
auto& Ch = FilePath[i];
if (Ch == DirectorySeparatorChar || Ch == AltDirectorySeparatorChar || Ch == VolumeSeparatorChar)
return FilePath.Substring(i + 1, cLength - i - 1);
return FilePath.SubString(i + 1, cLength - i - 1);
}
return FilePath;
}
string Path::GetFileNameWithoutExtension(const string& FilePath)
String Path::GetFileNameWithoutExtension(const String& FilePath)
{
auto fPath = Path::GetFileName(FilePath);
auto fExt = fPath.LastIndexOf('.');
if (fExt != string::InvalidPosition)
return fPath.Substring(0, fExt);
if (fExt != String::InvalidPosition)
return fPath.SubString(0, fExt);
else
return fPath;
}
string Path::GetPathRoot(const string& Path)
String Path::GetPathRoot(const String& Path)
{
return Path.Substring(0, Path::GetRootLength(Path));
return Path.SubString(0, Path::GetRootLength(Path));
}
string Path::GetTempPath()
String Path::GetTempPath()
{
char Buffer[MAX_PATH + 1]{};
GetTempPathA(MAX_PATH, Buffer);
@ -115,7 +115,7 @@ namespace IO
return Buffer;
}
string Path::GetTempFileName()
String Path::GetTempFileName()
{
auto BasePath = Path::GetTempPath();
@ -125,7 +125,7 @@ namespace IO
return Buffer;
}
bool Path::HasExtension(const string& FilePath)
bool Path::HasExtension(const String& FilePath)
{
auto cLength = FilePath.Length();
@ -148,7 +148,7 @@ namespace IO
return false;
}
bool Path::IsPathRooted(const string& Path)
bool Path::IsPathRooted(const String& Path)
{
auto cLength = Path.Length();
if ((cLength >= 1 && (Path[0] == DirectorySeparatorChar || Path[0] == AltDirectorySeparatorChar)) || (cLength >= 2 && Path[1] == VolumeSeparatorChar))
@ -157,7 +157,7 @@ namespace IO
return false;
}
string Path::Combine(const string& Path1, const string& Path2)
String Path::Combine(const String& Path1, const String& Path2)
{
if (Path2.Length() == 0)
return Path1;
@ -174,7 +174,7 @@ namespace IO
return Path1 + Path2;
}
uint32_t Path::GetRootLength(const string& Path)
uint32_t Path::GetRootLength(const String& Path)
{
int32_t i = 0, cLength = Path.Length();

View File

@ -23,27 +23,27 @@ namespace IO
constexpr static char VolumeSeparatorChar = ':';
// Changes the extension of a file path
static string ChangeExtension(const string& FilePath, const string& Extension);
static String ChangeExtension(const String& FilePath, const String& Extension);
// Returns the directory path of a file path
static string GetDirectoryName(const string& Path);
static String GetDirectoryName(const String& Path);
// Returns the extension of the given path
static string GetExtension(const string& FilePath);
static String GetExtension(const String& FilePath);
// Returns the name and extension parts of the given path
static string GetFileName(const string& FilePath);
static String GetFileName(const String& FilePath);
// Returns the name without the extension of the given path
static string GetFileNameWithoutExtension(const string& FilePath);
static String GetFileNameWithoutExtension(const String& FilePath);
// Returns the root portion of the given path
static string GetPathRoot(const string& Path);
static String GetPathRoot(const String& Path);
// Returns a temporary folder path
static string GetTempPath();
static String GetTempPath();
// Returns a temporary file name
static string GetTempFileName();
static String GetTempFileName();
// Checks if the file name has an extension
static bool HasExtension(const string& FilePath);
static bool HasExtension(const String& FilePath);
// Checks if the given path contains a root
static bool IsPathRooted(const string& Path);
static bool IsPathRooted(const String& Path);
// Combine two paths
static string Combine(const string& Path1, const string& Path2);
static String Combine(const String& Path1, const String& Path2);
// Returns a list of all the bad path characters
constexpr static std::array<char, 36> GetInvalidPathChars()
@ -81,6 +81,6 @@ namespace IO
// Internal helper routines
//
static uint32_t GetRootLength(const string& Path);
static uint32_t GetRootLength(const String& Path);
};
}

View File

@ -10,7 +10,7 @@ namespace Data
class Pattern
{
public:
constexpr Pattern(const string& Signature)
constexpr Pattern(const String& Signature)
: _PatternLength(0)
{
// Process the signature into a data / mask combo for later scanning

View File

@ -133,7 +133,7 @@ namespace Diagnostics
::WaitForInputIdle(this->_Handle, INFINITE);
}
bool Process::InjectModule(const string& ModulePath)
bool Process::InjectModule(const String& ModulePath)
{
if (!this->AquireProcessHandle())
return false;
@ -163,7 +163,7 @@ namespace Diagnostics
return true;
}
const string& Process::GetProcessName() const
const String& Process::GetProcessName() const
{
return this->_ProcessInfo.ProcessName;
}
@ -246,7 +246,7 @@ namespace Diagnostics
return this->GetProcessMainWindowHandle();
}
const string Process::GetMainWindowTitle()
const String Process::GetMainWindowTitle()
{
auto mHandle = this->GetProcessMainWindowHandle();
if (!mHandle)
@ -255,7 +255,7 @@ namespace Diagnostics
char Buffer[MAX_PATH + 1]{};
auto mResult = GetWindowTextA(mHandle, Buffer, MAX_PATH);
return string(Buffer, mResult);
return String(Buffer, mResult);
}
const uint32_t Process::GetExitCode()
@ -295,11 +295,11 @@ namespace Diagnostics
char Buffer[1024]{};
GetModuleBaseNameA(this->_Handle, ModHandles[i], Buffer, 1024);
ModuleInfo.ModuleName = string(Buffer);
ModuleInfo.ModuleName = String(Buffer);
std::memset(Buffer, 0, 1024);
GetModuleFileNameExA(this->_Handle, ModHandles[i], Buffer, 1024);
ModuleInfo.FileName = string(Buffer);
ModuleInfo.FileName = String(Buffer);
Result.EmplaceBack(std::move(ModuleInfo));
}
@ -368,7 +368,7 @@ namespace Diagnostics
return Process(ProcessInfo[0]);
}
List<Process> Process::GetProcessesByName(const string& Name)
List<Process> Process::GetProcessesByName(const String& Name)
{
auto ProcessInfos = Process::GetProcessInfos({});
auto Result = List<Process>();
@ -404,12 +404,12 @@ namespace Diagnostics
return Process(Process::GetProcessInfos({ OurId })[0]);
}
Process Process::Start(const string& FileName)
Process Process::Start(const String& FileName)
{
return Process::Start(ProcessStartInfo(FileName));
}
Process Process::Start(const string& FileName, const string& Arguments)
Process Process::Start(const String& FileName, const String& Arguments)
{
return Process::Start(ProcessStartInfo(FileName, Arguments));
}
@ -460,13 +460,13 @@ namespace Diagnostics
STARTUPINFOA StartInfo{};
PROCESS_INFORMATION ProcessInfo{};
string CommandLine;
String CommandLine;
if (Start.FileName.StartsWith("\"") && Start.FileName.EndsWith("\""))
CommandLine += Start.FileName;
else
CommandLine = "\"" + Start.FileName + "\"";
if (!string::IsNullOrWhiteSpace(Start.Arguments))
if (!String::IsNullOrWhiteSpace(Start.Arguments))
{
CommandLine += " " + Start.Arguments;
}
@ -517,7 +517,7 @@ namespace Diagnostics
return !(*this == Rhs);
}
void Process::SetPrivilage(const string& PrivilegeName, bool Enabled)
void Process::SetPrivilage(const String& PrivilegeName, bool Enabled)
{
HANDLE hToken = nullptr;
if (!OpenProcessToken(::GetCurrentProcess(), TOKEN_ADJUST_PRIVILEGES | TOKEN_QUERY, &hToken))
@ -614,12 +614,12 @@ namespace Diagnostics
}
else
{
Pi.ProcessName = string::Format("Process_%d", NProcessId);
Pi.ProcessName = String::Format("Process_%d", NProcessId);
}
}
else
{
Pi.ProcessName = Process::GetProcessShortName(wstring(NProcessInfo->ImageName.Buffer, NProcessInfo->ImageName.Length / sizeof(WCHAR)).ToString());
Pi.ProcessName = Process::GetProcessShortName(WString(NProcessInfo->ImageName.Buffer, NProcessInfo->ImageName.Length / sizeof(WCHAR)).ToString());
}
if (!ProcessIdMatch.Empty() && ProcessIdMatch.Contains(NProcessId))
@ -636,7 +636,7 @@ namespace Diagnostics
return Result;
}
string Process::GetProcessShortName(const string& Name)
String Process::GetProcessShortName(const String& Name)
{
int32_t Slash = -1, Period = -1;
@ -652,7 +652,7 @@ namespace Diagnostics
Period = Name.Length() - 1;
else
{
auto Ext = Name.Substring(Period);
auto Ext = Name.SubString(Period);
if (Ext.ToLower() == ".exe")
Period--;
else
@ -664,7 +664,7 @@ namespace Diagnostics
else
Slash++;
return Name.Substring(Slash, Period - Slash + 1);
return Name.SubString(Slash, Period - Slash + 1);
}
LPTHREAD_START_ROUTINE Process::ResolveInjectionAddress(BOOL Is32BitProcess)

View File

@ -38,14 +38,14 @@ namespace Diagnostics
// Waits for the process to enter an idle state
void WaitForInputIdle();
// Injects a module into the given process
bool InjectModule(const string& ModulePath);
bool InjectModule(const String& ModulePath);
//
// Getters
//
// Returns the name of the process
const string& GetProcessName() const;
const String& GetProcessName() const;
// Returns the process base priority
const uint32_t GetBasePriority() const;
// Returns the process id
@ -87,7 +87,7 @@ namespace Diagnostics
// Returns the main window handle
const HWND GetMainWindowHandle();
// Returns the main window title
const string GetMainWindowTitle();
const String GetMainWindowTitle();
// Returns the process exit code, if any
const uint32_t GetExitCode();
// Returns a list of process modules
@ -98,16 +98,16 @@ namespace Diagnostics
// Attempts to get a process by the process id
static Process GetProcessById(uint32_t Pid);
// Attempts to get processes with a specific name
static List<Process> GetProcessesByName(const string& Name);
static List<Process> GetProcessesByName(const String& Name);
// Gets all processes running on the current system
static List<Process> GetProcesses();
// Gets the current process
static Process GetCurrentProcess();
// Creates a new process with the given information
static Process Start(const string& FileName);
static Process Start(const String& FileName);
// Creates a new process with the given information
static Process Start(const string& FileName, const string& Arguments);
static Process Start(const String& FileName, const String& Arguments);
// Creates a new process with the given information
static Process Start(const ProcessStartInfo& Start);
@ -138,12 +138,12 @@ namespace Diagnostics
LPTHREAD_START_ROUTINE ResolveInjectionAddress(BOOL Is32BitProcess);
// Internal routine to set a process token privilege
static void SetPrivilage(const string& PrivilegeName, bool Enabled);
static void SetPrivilage(const String& PrivilegeName, bool Enabled);
// Internal routine to get a list of processes on the current machines info
static List<ProcessInfo> GetProcessInfos(const List<uint32_t>& ProcessIdMatch);
// Internal routine to transform the process name
static string GetProcessShortName(const string& Name);
static String GetProcessShortName(const String& Name);
// Internal constant that matches STATUS_INFO_LENGTH_MISMATCH from ntstatus.h
static constexpr uint32_t StatusInfoLengthMismatch = 0xC0000004;

View File

@ -9,7 +9,7 @@ namespace Diagnostics
struct ProcessInfo
{
uint32_t BasePriority;
string ProcessName;
String ProcessName;
uint32_t ProcessId;
uint32_t HandleCount;
uint64_t PoolPagedBytes;

View File

@ -19,8 +19,8 @@ namespace Diagnostics
uint64_t EntryPointAddress;
// Returns the name of the Module.
string ModuleName;
String ModuleName;
// Returns the full file path for the location of the module.
string FileName;
String FileName;
};
}

View File

@ -67,7 +67,7 @@ namespace IO
return Read((uint8_t*)Buffer, Index, Count, Address);
}
string ProcessReader::ReadCString(uint64_t Address)
String ProcessReader::ReadCString(uint64_t Address)
{
if (!this->BaseStream)
IOError::StreamBaseStream();
@ -78,15 +78,15 @@ namespace IO
if (nCharPos != nullptr)
{
return std::move(string(iBuffer, (char*)nCharPos - &iBuffer[0]));
return std::move(String(iBuffer, (char*)nCharPos - &iBuffer[0]));
}
else if (Result != sizeof(iBuffer))
{
return std::move(string(iBuffer));
return std::move(String(iBuffer));
}
Address += 0x100;
string Buffer(iBuffer, sizeof(iBuffer));
String Buffer(iBuffer, sizeof(iBuffer));
auto tChar = this->Read<char>(Address++);
while ((uint8_t)tChar > 0)
@ -98,12 +98,12 @@ namespace IO
return std::move(Buffer);
}
string ProcessReader::ReadSizeString(uint64_t Size, uint64_t Address)
String ProcessReader::ReadSizeString(uint64_t Size, uint64_t Address)
{
if (!this->BaseStream)
IOError::StreamBaseStream();
auto Buffer = string((uint32_t)Size, '\0');
auto Buffer = String((uint32_t)Size, '\0');
this->BaseStream->Read((uint8_t*)&Buffer[0], 0, Size, Address);
return std::move(Buffer);
@ -127,7 +127,7 @@ namespace IO
return Count;
}
int64_t ProcessReader::SignatureScan(const string& Signature, bool ScanAllMemory)
int64_t ProcessReader::SignatureScan(const String& Signature, bool ScanAllMemory)
{
auto BaseAddress = this->GetBaseAddress();
auto ScanSize = (ScanAllMemory) ? this->GetMemorySize() : this->GetSizeOfCode();
@ -135,7 +135,7 @@ namespace IO
return this->SignatureScan(Signature, BaseAddress, ScanSize);
}
int64_t ProcessReader::SignatureScan(const string& Signature, uint64_t Address, uint64_t Count)
int64_t ProcessReader::SignatureScan(const String& Signature, uint64_t Address, uint64_t Count)
{
if (!this->BaseStream)
IOError::StreamBaseStream();
@ -159,7 +159,7 @@ namespace IO
return SearchResult;
}
List<int64_t> ProcessReader::SignatureScanAll(const string & Signature, bool ScanAllMemory)
List<int64_t> ProcessReader::SignatureScanAll(const String & Signature, bool ScanAllMemory)
{
auto BaseAddress = this->GetBaseAddress();
auto ScanSize = (ScanAllMemory) ? this->GetMemorySize() : this->GetSizeOfCode();
@ -167,7 +167,7 @@ namespace IO
return this->SignatureScanAll(Signature, BaseAddress, ScanSize);
}
List<int64_t> ProcessReader::SignatureScanAll(const string & Signature, uint64_t Address, uint64_t Count)
List<int64_t> ProcessReader::SignatureScanAll(const String & Signature, uint64_t Address, uint64_t Count)
{
if (!this->BaseStream)
IOError::StreamBaseStream();

View File

@ -40,22 +40,22 @@ namespace IO
uint64_t Read(void* Buffer, uint64_t Index, uint64_t Count, uint64_t Address);
// Reads a null-terminated string from the stream
string ReadCString(uint64_t Address);
String ReadCString(uint64_t Address);
// Reads a size-string from the stream
string ReadSizeString(uint64_t Size, uint64_t Address);
String ReadSizeString(uint64_t Size, uint64_t Address);
// Reads an integer encoded into 7 bits, top bit = read more
uint32_t ReadVarInt(uint64_t Address);
// Scan the process for a given signature
int64_t SignatureScan(const string& Signature, bool ScanAllMemory = false);
int64_t SignatureScan(const String& Signature, bool ScanAllMemory = false);
// Scan the process for a given signature
int64_t SignatureScan(const string& Signature, uint64_t Address, uint64_t Count);
int64_t SignatureScan(const String& Signature, uint64_t Address, uint64_t Count);
// Scan the process for a given signature (All occurences)
List<int64_t> SignatureScanAll(const string& Signature, bool ScanAllMemory = false);
List<int64_t> SignatureScanAll(const String& Signature, bool ScanAllMemory = false);
// Scan the process for a given signature (All occurences)
List<int64_t> SignatureScanAll(const string& Signature, uint64_t Address, uint64_t Count);
List<int64_t> SignatureScanAll(const String& Signature, uint64_t Address, uint64_t Count);
// Whether or not the process is running
bool IsRunning() const;

View File

@ -16,13 +16,13 @@ namespace Diagnostics
struct ProcessStartInfo
{
// Sets the application, document, or URL that is to be launched.
string FileName;
String FileName;
// Specifies the set of command line arguments to use when starting the application.
string Arguments;
String Arguments;
// Sets the initial directory for the process that is started.
string WorkingDirectory;
String WorkingDirectory;
// Specifies the verb to use when opening the filename.
string Verb;
String Verb;
// Whether or not to allow window creation.
bool CreateNoWindow;
@ -32,12 +32,12 @@ namespace Diagnostics
// Sets the style of window that should be used for the newly created process.
ProcessWindowStyle WindowStyle;
ProcessStartInfo(const string& FileName)
ProcessStartInfo(const String& FileName)
: FileName(FileName), UseShellExecute(true), CreateNoWindow(false), WindowStyle(ProcessWindowStyle::Normal)
{
}
ProcessStartInfo(const string& FileName, const string& Arguments)
ProcessStartInfo(const String& FileName, const String& Arguments)
: FileName(FileName), Arguments(Arguments), UseShellExecute(true), CreateNoWindow(false), WindowStyle(ProcessWindowStyle::Normal)
{
}

View File

@ -14,7 +14,7 @@ namespace IO
this->SetupStream(OpenProcess(PROCESS_ALL_ACCESS, FALSE, PID), false);
}
ProcessStream::ProcessStream(const string& ProcessName)
ProcessStream::ProcessStream(const String& ProcessName)
{
DWORD aProcesses[1024], cbNeeded, cProcesses;
EnumProcesses(aProcesses, sizeof(aProcesses), &cbNeeded);

View File

@ -13,7 +13,7 @@ namespace IO
public:
ProcessStream();
ProcessStream(uint32_t PID);
ProcessStream(const string& ProcessName);
ProcessStream(const String& ProcessName);
ProcessStream(HANDLE ProcessHandle);
ProcessStream(HANDLE ProcessHandle, bool LeaveOpen);
virtual ~ProcessStream();

View File

@ -36,12 +36,12 @@ namespace Win32
RegFlushKey(this->_Handle);
}
RegistryKey RegistryKey::CreateSubKey(const string& SubKey)
RegistryKey RegistryKey::CreateSubKey(const String& SubKey)
{
return this->CreateSubKeyInternal(SubKey);
}
void RegistryKey::DeleteSubKey(const string& SubKey, bool ThrowOnMissingSubKey)
void RegistryKey::DeleteSubKey(const String& SubKey, bool ThrowOnMissingSubKey)
{
auto kPath = FixupName(SubKey); // Remove multiple slashes to a single slash
@ -67,7 +67,7 @@ namespace Win32
}
}
void RegistryKey::DeleteSubKeyTree(const string& SubKey, bool ThrowOnMissingSubKey)
void RegistryKey::DeleteSubKeyTree(const String& SubKey, bool ThrowOnMissingSubKey)
{
if (SubKey.Length() == 0 && IsSystemKey())
throw Win32Error::RegSubKeyMalformed();
@ -96,7 +96,7 @@ namespace Win32
RegDeleteKeyExA(this->_Handle, (const char*)kPath, (int)this->_View, NULL);
}
void RegistryKey::DeleteValue(const string& Name, bool ThrowOnMissingSubKey)
void RegistryKey::DeleteValue(const String& Name, bool ThrowOnMissingSubKey)
{
auto hResult = RegDeleteValueA(this->_Handle, (const char*)Name);
@ -105,7 +105,7 @@ namespace Win32
throw Win32Error::RegSubKeyMissing();
}
RegistryKey RegistryKey::OpenSubKey(const string& Name, bool Writable)
RegistryKey RegistryKey::OpenSubKey(const String& Name, bool Writable)
{
HKEY hHandle = nullptr;
auto hAccess = (Writable) ? (KEY_READ | KEY_WRITE) : KEY_READ;
@ -123,10 +123,10 @@ namespace Win32
throw Win32Error::SystemError(GetLastError());
}
List<string> RegistryKey::GetValueNames()
List<String> RegistryKey::GetValueNames()
{
auto nValues = this->InternalValueCount();
auto Result = List<string>();
auto Result = List<String>();
for (uint32_t i = 0; i < nValues; i++)
{
@ -141,7 +141,7 @@ namespace Win32
return Result;
}
RegistryValueType RegistryKey::GetValueKind(const string& Name)
RegistryValueType RegistryKey::GetValueKind(const String& Name)
{
DWORD Type = 0, DataSize = 0;
auto qResult = RegQueryValueExA(this->_Handle, (const char*)Name, NULL, &Type, NULL, &DataSize);
@ -183,7 +183,7 @@ namespace Win32
return this->InternalValueCount();
}
List<string> RegistryKey::GetSubKeyNames()
List<String> RegistryKey::GetSubKeyNames()
{
return this->InternalGetSubKeyNames();
}
@ -218,7 +218,7 @@ namespace Win32
return (this->_State & RegistryKey::STATE_WRITEACCESS) != 0;
}
RegistryKey RegistryKey::CreateSubKeyInternal(const string& SubKey)
RegistryKey RegistryKey::CreateSubKeyInternal(const String& SubKey)
{
auto kPath = FixupName(SubKey); // Remove multiple slashes to a single slash
@ -250,7 +250,7 @@ namespace Win32
throw Win32Error::SystemError(GetLastError());
}
void RegistryKey::DeleteSubKeyTreeInternal(const string& SubKey)
void RegistryKey::DeleteSubKeyTreeInternal(const String& SubKey)
{
try
{
@ -273,7 +273,7 @@ namespace Win32
RegDeleteKeyExA(this->_Handle, (const char*)SubKey, (int)this->_View, NULL);
}
RegistryKey RegistryKey::InternalOpenSubKey(const string& Name, bool Writable)
RegistryKey RegistryKey::InternalOpenSubKey(const String& Name, bool Writable)
{
HKEY hHandle = nullptr;
auto hAccess = (Writable) ? (KEY_READ | KEY_WRITE) : KEY_READ;
@ -290,7 +290,7 @@ namespace Win32
throw Win32Error::SystemError(GetLastError());
}
std::unique_ptr<uint8_t[]> RegistryKey::InternalGetValue(const string& Name, uint64_t& ValueSize)
std::unique_ptr<uint8_t[]> RegistryKey::InternalGetValue(const String& Name, uint64_t& ValueSize)
{
DWORD Type = 0, DataSize = 0;
auto qResult = RegQueryValueExA(this->_Handle, (const char*)Name, NULL, &Type, NULL, &DataSize);
@ -306,7 +306,7 @@ namespace Win32
return ResultBuffer;
}
void RegistryKey::InternalSetValue(const string& Name, uint32_t ValueType, uint8_t* Buffer, uint64_t BufferSize)
void RegistryKey::InternalSetValue(const String& Name, uint32_t ValueType, uint8_t* Buffer, uint64_t BufferSize)
{
auto hResult = RegSetValueExA(this->_Handle, (const char*)Name, NULL, ValueType, Buffer, (DWORD)BufferSize);
if (hResult != ERROR_SUCCESS)
@ -329,9 +329,9 @@ namespace Win32
return (uint32_t)Values;
}
List<string> RegistryKey::InternalGetSubKeyNames()
List<String> RegistryKey::InternalGetSubKeyNames()
{
auto Result = List<string>();
auto Result = List<String>();
auto sCount = this->InternalSubKeyCount();
char Buffer[RegistryKey::MaxKeyLength + 1]{};
@ -349,18 +349,18 @@ namespace Win32
return Result;
}
string RegistryKey::FixupName(string Name)
String RegistryKey::FixupName(String Name)
{
RegistryKey::FixupPath(Name);
auto eChar = Name.Length() - 1;
if (eChar >= 0 && Name[eChar] == '\\')
return Name.Substring(0, eChar);
return Name.SubString(0, eChar);
return Name;
}
void RegistryKey::FixupPath(string& Path)
void RegistryKey::FixupPath(String& Path)
{
// Replace double slash with single slashes
Path = Path.Replace("\\\\", "\\");

View File

@ -26,31 +26,31 @@ namespace Win32
// Flush all pending changes to the disk
void Flush();
// Creates a new subkey
RegistryKey CreateSubKey(const string& SubKey);
RegistryKey CreateSubKey(const String& SubKey);
// Deletes a subkey
void DeleteSubKey(const string& SubKey, bool ThrowOnMissingSubKey = false);
void DeleteSubKey(const String& SubKey, bool ThrowOnMissingSubKey = false);
// Deletes a subkey and all nested values
void DeleteSubKeyTree(const string& SubKey, bool ThrowOnMissingSubKey = false);
void DeleteSubKeyTree(const String& SubKey, bool ThrowOnMissingSubKey = false);
// Deletes a value
void DeleteValue(const string& Name, bool ThrowOnMissingSubKey = false);
void DeleteValue(const String& Name, bool ThrowOnMissingSubKey = false);
// Opens a subkey of this instance
RegistryKey OpenSubKey(const string& Name, bool Writable = true);
RegistryKey OpenSubKey(const String& Name, bool Writable = true);
// Returns a value
template<RegistryValueType T>
auto GetValue(const string& Name);
auto GetValue(const String& Name);
// Returns a list of value names
List<string> GetValueNames();
List<String> GetValueNames();
// Returns the type of value this key is
RegistryValueType GetValueKind(const string& Name);
RegistryValueType GetValueKind(const String& Name);
// Sets a value
template<RegistryValueType T, typename Tval>
void SetValue(const string& Name, const Tval& Value);
void SetValue(const String& Name, const Tval& Value);
// Returns the count of subkeys
uint32_t GetSubKeyCount();
// Returns the count of values
uint32_t GetValueCount();
// Returns the subkey names
List<string> GetSubKeyNames();
List<String> GetSubKeyNames();
// Opens one of the base registry hives on the system
static RegistryKey OpenBaseKey(RegistryHive Hive, RegistryView View);
@ -62,7 +62,7 @@ namespace Win32
HKEY _Handle;
uint32_t _State;
RegistryView _View;
string _KeyName;
String _KeyName;
// Helper routines
bool IsDirty();
@ -70,26 +70,26 @@ namespace Win32
bool IsWritable();
// Internal routine to create a subkeu
RegistryKey CreateSubKeyInternal(const string& SubKey);
RegistryKey CreateSubKeyInternal(const String& SubKey);
// Internal routine to delete a subkey tree
void DeleteSubKeyTreeInternal(const string& SubKey);
void DeleteSubKeyTreeInternal(const String& SubKey);
// Internal routine to open a subkey
RegistryKey InternalOpenSubKey(const string& SubKey, bool Writable);
RegistryKey InternalOpenSubKey(const String& SubKey, bool Writable);
// Internal routine to get a value
std::unique_ptr<uint8_t[]> InternalGetValue(const string& Name, uint64_t& ValueSize);
std::unique_ptr<uint8_t[]> InternalGetValue(const String& Name, uint64_t& ValueSize);
// Internal routine to set a value
void InternalSetValue(const string& Name, uint32_t ValueType, uint8_t* Buffer, uint64_t BufferSize);
void InternalSetValue(const String& Name, uint32_t ValueType, uint8_t* Buffer, uint64_t BufferSize);
// Internal routine to get subkey count
uint32_t InternalSubKeyCount();
// Internal routine to get value count
uint32_t InternalValueCount();
// Internal routine to get subkey names
List<string> InternalGetSubKeyNames();
List<String> InternalGetSubKeyNames();
// Cleans up a key name
static string FixupName(string Name);
static String FixupName(String Name);
// Cleans up a key path
static void FixupPath(string& Path);
static void FixupPath(String& Path);
// Internal key states
constexpr static uint32_t STATE_DIRTY = 0x1;
@ -114,7 +114,7 @@ namespace Win32
};
template<RegistryValueType T>
inline auto RegistryKey::GetValue(const string& Name)
inline auto RegistryKey::GetValue(const String& Name)
{
uint64_t BufferSize = 0;
auto Buffer = this->InternalGetValue(Name, BufferSize);
@ -133,18 +133,18 @@ namespace Win32
}
else if constexpr (T == RegistryValueType::String)
{
return string((const char*)Buffer.get());
return String((const char*)Buffer.get());
}
else if constexpr (T == RegistryValueType::MultiString)
{
auto Result = List<string>();
auto Result = List<String>();
uint64_t Position = 0;
// We must parse each string as we go, and ensure we haven't reached the buffer size
// We must parse each String as we go, and ensure we haven't reached the buffer size
while (Position < BufferSize)
{
// Read the str with strlen() because it doesn't store the size of each one
auto cStr = string((const char*)(Buffer.get() + Position));
auto cStr = String((const char*)(Buffer.get() + Position));
// Shift based on the size + null char...
Position += cStr.Length() + sizeof(char);
@ -169,7 +169,7 @@ namespace Win32
}
template<RegistryValueType T, typename Tval>
inline void RegistryKey::SetValue(const string& Name, const Tval& Value)
inline void RegistryKey::SetValue(const String& Name, const Tval& Value)
{
if constexpr (T == RegistryValueType::Dword)
{

View File

@ -55,7 +55,7 @@ namespace Assets
Initialized = true;
}
void RenderFont::LoadFont(const string& FontPath)
void RenderFont::LoadFont(const String& FontPath)
{
this->Dispose();
@ -95,7 +95,7 @@ namespace Assets
RenderStringInternal(Text, (uint32_t)strlen(Text), X, Y, Scale);
}
void RenderFont::RenderString(const string & Text, float X, float Y, float Scale)
void RenderFont::RenderString(const String & Text, float X, float Y, float Scale)
{
RenderStringInternal((const char*)Text, Text.Length(), X, Y, Scale);
}

View File

@ -17,12 +17,12 @@ namespace Assets
// Loads a font from the provided LZ4 compressed buffer
void LoadFont(const uint8_t* Buffer, uint64_t BufferLength);
// Loads a font from the provided file path.
void LoadFont(const string& FontPath);
void LoadFont(const String& FontPath);
// Renders a string to the current opengl context.
void RenderString(const char* Text, float X, float Y, float Scale = 1.f);
// Renders a string to the current opengl context.
void RenderString(const string& Text, float X, float Y, float Scale = 1.f);
void RenderString(const String& Text, float X, float Y, float Scale = 1.f);
private:

View File

@ -44,7 +44,7 @@ namespace Assets
glDeleteShader(FragShaderID);
}
void RenderShader::LoadShader(const string& VertPath, const string& FragPath)
void RenderShader::LoadShader(const String& VertPath, const String& FragPath)
{
auto VertShaderID = glCreateShader(GL_VERTEX_SHADER);
auto FragShaderID = glCreateShader(GL_FRAGMENT_SHADER);

View File

@ -15,7 +15,7 @@ namespace Assets
// Compiles the release shader, internal use only.
void LoadShader(const char* VertSource, const char* FragSource);
// Compiles the debug shader.
void LoadShader(const string& VertPath, const string& FragPath);
void LoadShader(const String& VertPath, const String& FragPath);
// Sets this shader as current.
void Use();

View File

@ -18,7 +18,7 @@ namespace Forms
// The sub item index.
const int32_t SubItemIndex;
// The text of the item.
string Text;
String Text;
// The style of the item.
ListViewItemStyle Style;
};

View File

@ -72,7 +72,7 @@ namespace Assets::Exporters
SEANIM_PRESENCE_CUSTOM = 1 << 7,
};
bool SEAsset::ExportAnimation(const Animation& Animation, const string& Path)
bool SEAsset::ExportAnimation(const Animation& Animation, const String& Path)
{
auto Writer = IO::BinaryWriter(IO::File::Create(Path));
@ -85,10 +85,10 @@ namespace Assets::Exporters
uint32_t Slots[3] = { 0, 0, 0 };
// This is a traditional map of bones for the format
List<string> Bones;
List<String> Bones;
{
Dictionary<string, uint32_t> SEBones;
Dictionary<String, uint32_t> SEBones;
for (auto& Kvp : Animation.Curves)
{
@ -371,7 +371,7 @@ namespace Assets::Exporters
return true;
}
bool SEAsset::ExportModel(const Model& Model, const string& Path)
bool SEAsset::ExportModel(const Model& Model, const String& Path)
{
auto Writer = IO::BinaryWriter(IO::File::Create(Path));

View File

@ -12,9 +12,9 @@ namespace Assets::Exporters
~SEAsset() = default;
// Exports the given animation to the provided path.
virtual bool ExportAnimation(const Animation& Animation, const string& Path);
virtual bool ExportAnimation(const Animation& Animation, const String& Path);
// Exports the given model to the provided path.
virtual bool ExportModel(const Model& Model, const string& Path);
virtual bool ExportModel(const Model& Model, const String& Path);
// Gets the file extension for this exporters model format.
virtual imstring ModelExtension();

View File

@ -5,9 +5,9 @@
namespace Forms
{
const string BuildSaveFileFilter(const string& Filter)
const String BuildSaveFileFilter(const String& Filter)
{
string InitialFilter = (string::IsNullOrWhiteSpace(Filter)) ? string(" |*.*") : Filter;
String InitialFilter = (String::IsNullOrWhiteSpace(Filter)) ? String(" |*.*") : Filter;
auto Buffer = std::make_unique<int8_t[]>((size_t)InitialFilter.Length() + 2); // Final filter has two null chars
auto BufferMask = (char*)Buffer.get();
@ -21,10 +21,10 @@ namespace Forms
BufferMask[InitialFilter.Length() + 1] = (char)0;
return string((char*)Buffer.get(), (size_t)InitialFilter.Length() + 1);
return String((char*)Buffer.get(), (size_t)InitialFilter.Length() + 1);
}
string SaveFileDialog::ShowFileDialog(const string& Title, const string& BasePath, const string& Filter, Control* Owner)
String SaveFileDialog::ShowFileDialog(const String& Title, const String& BasePath, const String& Filter, Control* Owner)
{
HWND OwnerHandle = (Owner != nullptr) ? Owner->GetHandle() : NULL;
char Buffer[MAX_PATH]{};
@ -43,7 +43,7 @@ namespace Forms
// Open the dialog with the config and then return result
if (GetSaveFileNameA(&oFileDialog))
return string(Buffer);
return String(Buffer);
// We need nothing as a default because we don't get a return value
return "";

View File

@ -13,6 +13,6 @@ namespace Forms
{
public:
// Opens the dialog and allows the user to save one file
static string ShowFileDialog(const string& Title, const string& BasePath = "", const string& Filter = " |*.*", Control* Owner = nullptr);
static String ShowFileDialog(const String& Title, const String& BasePath = "", const String& Filter = " |*.*", Control* Owner = nullptr);
};
}

View File

@ -37,9 +37,9 @@ namespace Data
}
// Returns a decoded version of the encoded string
string GetDecoded() const
String GetDecoded() const
{
auto Result = string(_Buffer, (uint32_t)Size);
auto Result = String(_Buffer, (uint32_t)Size);
auto Key = Size * 2;
for (auto& Ch : Result)
@ -48,9 +48,9 @@ namespace Data
return Result;
}
constexpr operator string(void) const
constexpr operator String(void) const
{
auto Result = string(_Buffer, (uint32_t)Size);
auto Result = String(_Buffer, (uint32_t)Size);
auto Key = Size * 2;
for (auto& Ch : Result)
@ -66,7 +66,7 @@ namespace Data
template<size_t Size>
// Creates a new compile-time encrypted string
static constexpr auto sstring(const char(&String)[Size])
static constexpr auto sString(const char(&String)[Size])
{
return Data::SecureString(String);
}

View File

@ -11,7 +11,7 @@ namespace System
{
}
SettingsObject::SettingsObject(string Key, SettingType Type, uint8_t* Value)
SettingsObject::SettingsObject(String Key, SettingType Type, uint8_t* Value)
: Key(Key), Type(Type), Values()
{
switch (Type)
@ -42,7 +42,7 @@ namespace System
delete[] Values.String;
}
void Settings::Load(const string& Path)
void Settings::Load(const String& Path)
{
auto Reader = IO::BinaryReader(IO::File::OpenRead(Path));
@ -101,7 +101,7 @@ namespace System
}
}
void Settings::Save(const string& Path)
void Settings::Save(const String& Path)
{
auto Writer = IO::BinaryWriter(IO::File::Create(Path));
@ -130,7 +130,7 @@ namespace System
break;
case SettingType::ProtectedString:
{
auto Value = string(Setting.Values.String);
auto Value = String(Setting.Values.String);
auto ValueLen = Value.Length();
for (uint32_t i = 0; i < ValueLen; i++)

View File

@ -25,10 +25,10 @@ namespace System
{
public:
SettingsObject();
SettingsObject(string Key, SettingType Type, uint8_t* Value);
SettingsObject(String Key, SettingType Type, uint8_t* Value);
~SettingsObject();
string Key;
String Key;
SettingType Type;
union ValueUn
@ -118,7 +118,7 @@ namespace System
if (Setting.Values.String != NULL)
delete[] Setting.Values.String;
if constexpr (std::is_same<V, string>::value)
if constexpr (std::is_same<V, String>::value)
{
Setting.Values.String = new char[Value.Length() + 1]{};
std::memcpy(Setting.Values.String, (const char*)Value, Value.Length());
@ -246,16 +246,16 @@ namespace System
else if constexpr (T == SettingType::String || T == SettingType::ProtectedString)
{
if (Value)
return (string)Value->Values.String;
return (String)Value->Values.String;
return (string)"";
return (String)"";
}
}
// Load the config file from the specified path.
void Load(const string& Path);
void Load(const String& Path);
// Save the config file to the specified path.
void Save(const string& Path);
void Save(const String& Path);
private:
// Internal cached settings

View File

@ -68,12 +68,12 @@ namespace IO
this->BaseStream->Write((uint8_t*)&Buffer[0], Index, Count);
}
void StreamWriter::Write(const string& Value)
void StreamWriter::Write(const String& Value)
{
this->Write((const char*)Value, 0, Value.Length());
}
void StreamWriter::WriteLine(const string& Value)
void StreamWriter::WriteLine(const String& Value)
{
TextWriter::WriteLine((const char*)Value, 0, Value.Length());
}

View File

@ -25,9 +25,9 @@ namespace IO
virtual void Write(const char* Buffer, uint32_t Index, uint32_t Count);
// Writes a string to the file
void Write(const string& Value);
void Write(const String& Value);
// Writes a string to the file and ends the line
void WriteLine(const string& Value);
void WriteLine(const String& Value);
// Writes a null-terminated string to the file
void Write(const char* Value);

View File

@ -127,9 +127,9 @@ public:
constexpr bool Contains(std::basic_string_view<Tchar> Rhs) const;
// Returns a substring of this string
constexpr StringBase<Tchar> Substring(uint32_t StartIndex) const;
constexpr StringBase<Tchar> SubString(uint32_t StartIndex) const;
// Returns a substring of this string
constexpr StringBase<Tchar> Substring(uint32_t StartIndex, uint32_t Length) const;
constexpr StringBase<Tchar> SubString(uint32_t StartIndex, uint32_t Length) const;
// Appends a character to this string
constexpr void Append(Tchar Rhs);
@ -467,14 +467,14 @@ inline constexpr List<StringBase<Tchar>> StringBase<Tchar>::Split(const Tchar De
// Optimized for large strings and lots of occurences
while ((LocatedPosition = this->IndexOf(Delimiter, CurrentIndex)) != StringBase<Tchar>::InvalidPosition)
{
Result.Emplace(this->Substring(CurrentIndex, LocatedPosition - CurrentIndex));
Result.Emplace(this->SubString(CurrentIndex, LocatedPosition - CurrentIndex));
// Advance past the size of old and the position
CurrentIndex = LocatedPosition + 1;
}
if (CurrentIndex != this->_StoreSize)
Result.Emplace(this->Substring(CurrentIndex, this->_StoreSize - CurrentIndex));
Result.Emplace(this->SubString(CurrentIndex, this->_StoreSize - CurrentIndex));
return Result;
}
@ -495,14 +495,14 @@ inline constexpr List<StringBase<Tchar>> StringBase<Tchar>::Split(const Tchar* S
// Optimized for large strings and lots of occurences
while ((LocatedPosition = this->IndexOf(Separator, CurrentIndex)) != StringBase<Tchar>::InvalidPosition)
{
Result.Emplace(this->Substring(CurrentIndex, LocatedPosition - CurrentIndex));
Result.Emplace(this->SubString(CurrentIndex, LocatedPosition - CurrentIndex));
// Advance past the size of old and the position
CurrentIndex = LocatedPosition + LhsSize;
}
if (CurrentIndex != this->_StoreSize)
Result.Emplace(this->Substring(CurrentIndex, this->_StoreSize - CurrentIndex));
Result.Emplace(this->SubString(CurrentIndex, this->_StoreSize - CurrentIndex));
return Result;
}
@ -519,14 +519,14 @@ inline constexpr List<StringBase<Tchar>> StringBase<Tchar>::Split(const StringBa
// Optimized for large strings and lots of occurences
while ((LocatedPosition = this->IndexOf(Separator, CurrentIndex)) != StringBase<Tchar>::InvalidPosition)
{
Result.Emplace(this->Substring(CurrentIndex, LocatedPosition - CurrentIndex));
Result.Emplace(this->SubString(CurrentIndex, LocatedPosition - CurrentIndex));
// Advance past the size of old and the position
CurrentIndex = LocatedPosition + LhsSize;
}
if (CurrentIndex != this->_StoreSize)
Result.Emplace(this->Substring(CurrentIndex, this->_StoreSize - CurrentIndex));
Result.Emplace(this->SubString(CurrentIndex, this->_StoreSize - CurrentIndex));
return Result;
}
@ -543,14 +543,14 @@ inline constexpr List<StringBase<Tchar>> StringBase<Tchar>::Split(const std::bas
// Optimized for large strings and lots of occurences
while ((LocatedPosition = this->IndexOf(Separator, CurrentIndex)) != StringBase<Tchar>::InvalidPosition)
{
Result.Emplace(this->Substring(CurrentIndex, LocatedPosition - CurrentIndex));
Result.Emplace(this->SubString(CurrentIndex, LocatedPosition - CurrentIndex));
// Advance past the size of old and the position
CurrentIndex = LocatedPosition + LhsSize;
}
if (CurrentIndex != this->_StoreSize)
Result.Emplace(this->Substring(CurrentIndex, this->_StoreSize - CurrentIndex));
Result.Emplace(this->SubString(CurrentIndex, this->_StoreSize - CurrentIndex));
return Result;
}
@ -1073,7 +1073,7 @@ inline constexpr StringBase<Tchar> StringBase<Tchar>::Replace(const Tchar* Old,
// Optimized for large strings and lots of occurences
while ((LocatedPosition = this->IndexOf(Old, CurrentIndex)) != StringBase<Tchar>::InvalidPosition)
{
Result += this->Substring(CurrentIndex, LocatedPosition - CurrentIndex);
Result += this->SubString(CurrentIndex, LocatedPosition - CurrentIndex);
Result += New;
// Advance past the size of old and the position
@ -1081,7 +1081,7 @@ inline constexpr StringBase<Tchar> StringBase<Tchar>::Replace(const Tchar* Old,
}
if (CurrentIndex != this->_StoreSize)
Result += this->Substring(CurrentIndex, this->_StoreSize - CurrentIndex);
Result += this->SubString(CurrentIndex, this->_StoreSize - CurrentIndex);
return std::move(Result);
}
@ -1097,7 +1097,7 @@ inline constexpr StringBase<Tchar> StringBase<Tchar>::Replace(const StringBase<T
// Optimized for large strings and lots of occurences
while ((LocatedPosition = this->IndexOf(Old, CurrentIndex)) != StringBase<Tchar>::InvalidPosition)
{
Result += this->Substring(CurrentIndex, LocatedPosition - CurrentIndex);
Result += this->SubString(CurrentIndex, LocatedPosition - CurrentIndex);
Result += New;
// Advance past the size of old and the position
@ -1105,7 +1105,7 @@ inline constexpr StringBase<Tchar> StringBase<Tchar>::Replace(const StringBase<T
}
if (CurrentIndex != this->_StoreSize)
Result += this->Substring(CurrentIndex, this->_StoreSize - CurrentIndex);
Result += this->SubString(CurrentIndex, this->_StoreSize - CurrentIndex);
return std::move(Result);
}
@ -1121,7 +1121,7 @@ inline constexpr StringBase<Tchar> StringBase<Tchar>::Replace(std::basic_string_
// Optimized for large strings and lots of occurences
while ((LocatedPosition = this->IndexOf(Old, CurrentIndex)) != StringBase<Tchar>::InvalidPosition)
{
Result += this->Substring(CurrentIndex, LocatedPosition - CurrentIndex);
Result += this->SubString(CurrentIndex, LocatedPosition - CurrentIndex);
Result += New;
// Advance past the size of old and the position
@ -1129,7 +1129,7 @@ inline constexpr StringBase<Tchar> StringBase<Tchar>::Replace(std::basic_string_
}
if (CurrentIndex != this->_StoreSize)
Result += this->Substring(CurrentIndex, this->_StoreSize - CurrentIndex);
Result += this->SubString(CurrentIndex, this->_StoreSize - CurrentIndex);
return std::move(Result);
}
@ -1235,13 +1235,13 @@ inline constexpr bool StringBase<Tchar>::Contains(std::basic_string_view<Tchar>
}
template<class Tchar>
inline constexpr StringBase<Tchar> StringBase<Tchar>::Substring(uint32_t StartIndex) const
inline constexpr StringBase<Tchar> StringBase<Tchar>::SubString(uint32_t StartIndex) const
{
return this->Substring(StartIndex, this->_StoreSize - StartIndex);
return this->SubString(StartIndex, this->_StoreSize - StartIndex);
}
template<class Tchar>
inline constexpr StringBase<Tchar> StringBase<Tchar>::Substring(uint32_t StartIndex, uint32_t Length) const
inline constexpr StringBase<Tchar> StringBase<Tchar>::SubString(uint32_t StartIndex, uint32_t Length) const
{
if (Length > 0 && StartIndex < this->_StoreSize && (StartIndex + Length) <= this->_StoreSize)
{
@ -1635,7 +1635,5 @@ constexpr inline void StringBase<Tchar>::EnsureCapacity(uint32_t Capacity)
// Predefiend string types
//
using string = StringBase<char>;
using String = StringBase<char>;
using wstring = StringBase<wchar_t>;
using WString = StringBase<wchar_t>;

View File

@ -73,7 +73,7 @@ namespace Forms
}
}
void TextBox::SetText(const string& Value)
void TextBox::SetText(const String& Value)
{
TextBoxBase::SetText(Value);
_SelectionSet = false;

View File

@ -48,7 +48,7 @@ namespace Forms
void SetScrollBars(ScrollBars Value);
// Sets the current text in the text box.
virtual void SetText(const string& Value);
virtual void SetText(const String& Value);
// Gets how text is aligned in a TextBox control.
HorizontalAlignment TextAlign();

View File

@ -151,9 +151,9 @@ namespace Forms
}
}
List<string> TextBoxBase::Lines()
List<String> TextBoxBase::Lines()
{
List<string> Result;
List<String> Result;
auto Buffer = this->Text();
uint32_t LineStart = 0;
@ -168,7 +168,7 @@ namespace Forms
break;
}
Result.EmplaceBack(Buffer.Substring(LineStart, LineEnd - LineStart));
Result.EmplaceBack(Buffer.SubString(LineStart, LineEnd - LineStart));
// Treat "\r", "\r\n", and "\n" as new lines
if (LineEnd < Buffer.Length() && Buffer[LineEnd] == '\r')
@ -185,9 +185,9 @@ namespace Forms
return Result;
}
void TextBoxBase::SetLines(const List<string>& Value)
void TextBoxBase::SetLines(const List<String>& Value)
{
string Result = "";
String Result = "";
for (auto& Line : Value)
{
@ -212,12 +212,12 @@ namespace Forms
}
}
string TextBoxBase::Text()
String TextBoxBase::Text()
{
return Control::Text();
}
void TextBoxBase::SetText(const string& Value)
void TextBoxBase::SetText(const String& Value)
{
if (Value != Control::Text())
{
@ -250,7 +250,7 @@ namespace Forms
}
}
void TextBoxBase::AppendText(const string& Text)
void TextBoxBase::AppendText(const String& Text)
{
int32_t SelStart, SelLength;
GetSelectionStartAndLength(SelStart, SelLength);
@ -369,7 +369,7 @@ namespace Forms
return Cp;
}
void TextBoxBase::SetWindowText(const string& Value)
void TextBoxBase::SetWindowText(const String& Value)
{
// Override to prevent double OnTextChanged events
if (this->WindowText() != Value)
@ -391,7 +391,7 @@ namespace Forms
SendMessageA(this->_Handle, EM_LIMITTEXT, (WPARAM)this->_MaxLength, NULL);
}
void TextBoxBase::SetSelectedTextInternal(const string& Text, bool ClearUndo)
void TextBoxBase::SetSelectedTextInternal(const String& Text, bool ClearUndo)
{
SendMessageA(this->_Handle, EM_LIMITTEXT, 0, 0);
@ -552,15 +552,15 @@ namespace Forms
}
}
string TextBoxBase::SelectedText()
String TextBoxBase::SelectedText()
{
int32_t SelStart, SelLength;
GetSelectionStartAndLength(SelStart, SelLength);
return Text().Substring(SelStart, SelLength);
return Text().SubString(SelStart, SelLength);
}
void TextBoxBase::SetSelectedText(const string& Value)
void TextBoxBase::SetSelectedText(const String& Value)
{
SetSelectedTextInternal(Value, true);
}

View File

@ -45,9 +45,9 @@ namespace Forms
void SetHideSelection(bool Value);
// Gets the lines of text in an text box control.
List<string> Lines();
List<String> Lines();
// Sets the lines of text in an text box control.
void SetLines(const List<string>& Value);
void SetLines(const List<String>& Value);
// Gets the maximum number of characters the user can type into the text box control.
virtual uint32_t MaxLength();
@ -75,9 +75,9 @@ namespace Forms
void SetReadOnly(bool Value);
// Gets the currently selected text in the control.
virtual string SelectedText();
virtual String SelectedText();
// Sets the currently selected text in the control.
virtual void SetSelectedText(const string& Value);
virtual void SetSelectedText(const String& Value);
// Gets the number of characters selected in the text box.
virtual int32_t SelectionLength();
@ -90,9 +90,9 @@ namespace Forms
void SetSelectionStart(int32_t Value);
// Gets the current text in the text box.
virtual string Text();
virtual String Text();
// Sets the current text in the text box.
virtual void SetText(const string& Value);
virtual void SetText(const String& Value);
// Gets the length of the text in the control.
virtual uint32_t TextLength();
@ -103,7 +103,7 @@ namespace Forms
void SetWordWrap(bool Value);
// Append text to the current text of the text box.
void AppendText(const string& Text);
void AppendText(const String& Text);
// Clears all the text from the text box control.
void Clear();
@ -157,14 +157,14 @@ namespace Forms
virtual CreateParams GetCreateParams();
// Sets the current text of the Window
virtual void SetWindowText(const string& Value);
virtual void SetWindowText(const String& Value);
// Whether or not this control can raise the text changed event.
virtual bool CanRaiseTextChangedEvent();
// Updates the controls max length property.
virtual void UpdateMaxLength();
// Internal routine to set the selected text.
virtual void SetSelectedTextInternal(const string& Text, bool ClearUndo);
virtual void SetSelectedTextInternal(const String& Text, bool ClearUndo);
// Internal routine to perform actual selection.
virtual void SelectInternal(int32_t Start, int32_t Length, int32_t TextLen);

Some files were not shown because too many files have changed in this diff Show More