String을 Int로 어떻게 변환 할 수 있습니까?
나는 가지고 있고 그것을 데이터베이스에 저장 TextBoxD1.Text
하기 위해로 변환하고 싶습니다 int
.
어떻게 할 수 있습니까?
이 시도:
int x = Int32.Parse(TextBoxD1.Text);
또는 더 나은 방법 :
int x = 0;
Int32.TryParse(TextBoxD1.Text, out x);
또한를 Int32.TryParse
반환 bool
하므로 반환 값을 사용하여 구문 분석 시도의 결과에 대한 결정을 내릴 수 있습니다.
int x = 0;
if (Int32.TryParse(TextBoxD1.Text, out x))
{
// you know that the parsing attempt
// was successful
}
궁금하다면 Parse
과 의 차이를 다음 과 TryParse
같이 요약하는 것이 가장 좋습니다.
TryParse 메서드는 변환이 실패 할 경우 TryParse 메서드가 예외를 throw하지 않는다는 점을 제외하면 Parse 메서드와 비슷합니다. s가 유효하지 않고 성공적으로 구문 분석 할 수없는 경우 FormatException을 테스트하기 위해 예외 처리를 사용할 필요가 없습니다. - MSDN
Convert.ToInt32( TextBoxD1.Text );
텍스트 상자의 내용이 유효한 정수라고 확신하는 경우이 옵션을 사용하십시오. 더 안전한 옵션은
int val = 0;
Int32.TryParse( TextBoxD1.Text, out val );
이렇게하면 사용할 수있는 몇 가지 기본값이 제공됩니다. Int32.TryParse
또한 구문 분석 할 수 있는지 여부를 나타내는 부울 값을 반환하므로 if
명령문 의 조건으로 사용할 수도 있습니다 .
if( Int32.TryParse( TextBoxD1.Text, out val ){
DoSomething(..);
} else {
HandleBadInput(..);
}
int.TryParse()
텍스트가 숫자가 아니면 던지지 않습니다.
int myInt = int.Parse(TextBoxD1.Text)
또 다른 방법은 다음과 같습니다.
bool isConvertible = false;
int myInt = 0;
isConvertible = int.TryParse(TextBoxD1.Text, out myInt);
둘의 차이점은 첫 번째는 텍스트 상자의 값을 변환 할 수없는 경우 예외를 throw하는 반면 두 번째는 false를 반환한다는 것입니다.
문자열을 구문 분석해야하며 실제로 정수 형식인지 확인해야합니다.
가장 쉬운 방법은 다음과 같습니다.
int parsedInt = 0;
if (int.TryParse(TextBoxD1.Text, out parsedInt))
{
// Code for if the string was valid
}
else
{
// Code for if the string was invalid
}
int x = 0;
int.TryParse(TextBoxD1.Text, out x);
TryParse 문은 구문 분석이 성공했는지 여부를 나타내는 부울을 반환합니다. 성공하면 구문 분석 된 값이 두 번째 매개 변수에 저장됩니다.
자세한 내용은 Int32.TryParse 메서드 (String, Int32) 를 참조하십시오.
그것을 즐기십시오 ...
int i = 0;
string s = "123";
i =int.Parse(s);
i = Convert.ToInt32(s);
문자에 Convert.ToInt32 ()를 사용할 때주의하십시오! 캐릭터
의 UTF-16 코드를 반환합니다 !
당신이 사용하는 경우에만 특정 위치에 문자열을 액세스하는 경우 [i]
색인 연산자를 그것은 반환 char
이 아니라을 string
!
String input = "123678";
int x = Convert.ToInt32(input[4]); // returns 55
int x = Convert.ToInt32(input[4].toString()); // returns 7
를 설명하는 많은 솔루션이 이미 여기에 있지만 int.Parse
모든 답변에서 중요한 누락 된 부분이 있습니다. 일반적으로 숫자 값의 문자열 표현은 문화권에 따라 다릅니다. 통화 기호, 그룹 (또는 천) 구분 기호 및 소수 구분 기호와 같은 숫자 문자열의 요소는 모두 문화권에 따라 다릅니다.
문자열을 정수로 구문 분석하는 강력한 방법을 만들려면 문화 정보를 고려하는 것이 중요합니다. 그렇지 않으면 현재 문화 설정 이 사용됩니다. 이는 사용자에게 매우 놀랍게도, 파일 형식을 구문 분석하는 경우에는 더 나빠질 수 있습니다. 영어 구문 분석을 원하면 사용할 문화 설정을 지정하여 명시 적으로 만드는 것이 가장 좋습니다.
var culture = CultureInfo.GetCulture("en-US");
int result = 0;
if (int.TryParse(myString, NumberStyles.Integer, culture, out result))
{
// use result...
}
자세한 내용은 CultureInfo, 특히 MSDN의 NumberFormatInfo 를 참조하십시오 .
나만의 extesion 메서드를 작성할 수 있습니다.
public static class IntegerExtensions
{
public static int ParseInt(this string value, int defaultValue = 0)
{
int parsedValue;
if (int.TryParse(value, out parsedValue))
{
return parsedValue;
}
return defaultValue;
}
public static int? ParseNullableInt(this string value)
{
if (string.IsNullOrEmpty(value))
{
return null;
}
return value.ParseInt();
}
}
그리고 코드 어디에서나
int myNumber = someString.ParseInt(); // returns value or 0
int age = someString.ParseInt(18); // with default value 18
int? userId = someString.ParseNullableInt(); // returns value or null
이 구체적인 경우
int yourValue = TextBoxD1.Text.ParseInt();
TryParse 문서에 설명 된대로 TryParse ()는 유효한 숫자가 발견되었음을 나타내는 부울을 반환합니다.
bool success = Int32.TryParse(TextBoxD1.Text, out val);
if (success)
{
// put val in database
}
else
{
// handle the case that the string doesn't contain a valid number
}
둘 중 하나를 사용할 수 있습니다.
int i = Convert.ToInt32(TextBoxD1.Text);
또는
int i =int.Parse(TextBoxD1.Text);
int x = Int32.TryParse(TextBoxD1.Text, out x)?x:0;
의 변환 string
하려면 int
: 위해 할 수있는 int
, Int32
, Int64
및 기타 데이터 유형은 .NET에서 정수 데이터 유형을 반영
아래 예는이 변환을 보여줍니다.
이 쇼 (정보 용) 데이터 어댑터 요소가 int 값으로 초기화되었습니다. 똑같이 직접 할 수 있습니다.
int xxiiqVal = Int32.Parse(strNabcd);
전의.
string strNii = "";
UsrDataAdapter.SelectCommand.Parameters["@Nii"].Value = Int32.Parse(strNii );
//May be quite some time ago but I just want throw in some line for any one who may still need it
int intValue;
string strValue = "2021";
try
{
intValue = Convert.ToInt32(strValue);
}
catch
{
//Default Value if conversion fails OR return specified error
// Example
intValue = 2000;
}
이것은 할 것이다
string x=TextBoxD1.Text;
int xi=Convert.ToInt32(x);
또는 사용할 수 있습니다
int xi=Int32.Parse(x);
자세한 내용은 Microsoft Developer Network를 참조하십시오.
다음을 사용하여 C #에서 문자열을 int로 변환 할 수 있습니다.
즉, 변환 클래스의 기능 Convert.ToInt16()
, Convert.ToInt32()
, Convert.ToInt64()
또는 사용하여 Parse
및 TryParse
기능. 여기에 예가 나와 있습니다 .
확장 메서드를 사용할 수도 있으므로 더 읽기 쉽습니다 (모두가 이미 일반 Parse 함수에 익숙해 져 있음).
public static class StringExtensions
{
/// <summary>
/// Converts a string to int.
/// </summary>
/// <param name="value">The string to convert.</param>
/// <returns>The converted integer.</returns>
public static int ParseToInt32(this string value)
{
return int.Parse(value);
}
/// <summary>
/// Checks whether the value is integer.
/// </summary>
/// <param name="value">The string to check.</param>
/// <param name="result">The out int parameter.</param>
/// <returns>true if the value is an integer; otherwise, false.</returns>
public static bool TryParseToInt32(this string value, out int result)
{
return int.TryParse(value, out result);
}
}
그런 다음 그렇게 부를 수 있습니다.
문자열이 "50"과 같은 정수라고 확신하는 경우.
int num = TextBoxD1.Text.ParseToInt32();
확실하지 않고 충돌을 방지하려는 경우.
int num; if (TextBoxD1.Text.TryParseToInt32(out num)) { //The parse was successful, the num has the parsed value. }
더 동적으로 만들기 위해 double, float 등으로 구문 분석 할 수 있도록 일반 확장을 만들 수 있습니다.
TryParse 또는 내장 함수없이 아래와 같이 할 수 있습니다.
static int convertToInt(string a)
{
int x=0;
for (int i = 0; i < a.Length; i++)
{
int temp=a[i] - '0';
if (temp!=0)
{
x += temp * (int)Math.Pow(10, (a.Length - (i+1)));
}
}
return x ;
}
int i = Convert.ToInt32(TextBoxD1.Text);
내가 항상하는 방식은 이렇게
using System;
using System.Collections.Generic;
using System.ComponentModel;
using System.Data;
using System.Drawing;
using System.Linq;
using System.Text;
using System.Windows.Forms;
namespace example_string_to_int
{
public partial class Form1 : Form
{
public Form1()
{
InitializeComponent();
}
private void button1_Click(object sender, EventArgs e)
{
string a = textBox1.Text;
// this turns the text in text box 1 into a string
int b;
if (!int.TryParse(a, out b))
{
MessageBox.Show("this is not a number");
}
else
{
textBox2.Text = a+" is a number" ;
}
// then this if statment says if the string not a number display an error elce now you will have an intager.
}
}
}
이것이 내가 할 방법입니다. 도움이 되었기를 바랍니다. (:
구문 분석 방법을 사용하여 문자열을 정수 값으로 변환 할 수 있습니다.
예 :
int val = Int32.parse(stringToBeParsed);
int x = Int32.parse(1234);
이것을 시도해 볼 수 있습니다.
int x = Convert.ToInt32(TextBoxD1.Text);
TextBoxD1.Text 변수의 문자열 값은 Int32로 변환되고 x에 저장됩니다.
먼 길을 찾고 있다면 하나의 방법을 만드십시오.
static int convertToInt(string a)
{
int x = 0;
Char[] charArray = a.ToCharArray();
int j = charArray.Length;
for (int i = 0; i < charArray.Length; i++)
{
j--;
int s = (int)Math.Pow(10, j);
x += ((int)Char.GetNumericValue(charArray[i]) * s);
}
return x;
}
방법 1
int TheAnswer1 = 0;
bool Success = Int32.TryParse("42", out TheAnswer1);
if (!Success) {
Console.WriteLine("String not Convertable to an Integer");
}
방법 2
int TheAnswer2 = 0;
try {
TheAnswer2 = Int32.Parse("42");
}
catch {
Console.WriteLine("String not Convertable to an Integer");
}
방법 3
int TheAnswer3 = 0;
try {
TheAnswer3 = Int32.Parse("42");
}
catch (FormatException) {
Console.WriteLine("String not in the correct format for an Integer");
}
catch (ArgumentNullException) {
Console.WriteLine("String is null");
}
catch (OverflowException) {
Console.WriteLine("String represents a number less than"
+ "MinValue or greater than MaxValue");
}
이 코드는 Visual Studio 2010에서 저에게 적합합니다.
int someValue = Convert.ToInt32(TextBoxD1.Text);
이것은 당신을 도울 수 있습니다; D
{
public partial class Form1 : Form
{
public Form1()
{
InitializeComponent();
}
float Stukprijs;
float Aantal;
private void label2_Click(object sender, EventArgs e)
{
}
private void button2_Click(object sender, EventArgs e)
{
MessageBox.Show("In de eersre textbox staat een geldbedrag." + Environment.NewLine + "In de tweede textbox staat een aantal." + Environment.NewLine + "Bereken wat er moetworden betaald." + Environment.NewLine + "Je krijgt 15% korting over het bedrag BOVEN de 100." + Environment.NewLine + "Als de korting meer dan 10 euri is," + Environment.NewLine + "wordt de korting textbox lichtgroen");
}
private void button1_Click(object sender, EventArgs e)
{
errorProvider1.Clear();
errorProvider2.Clear();
if (float.TryParse(textBox1.Text, out Stukprijs))
{
if (float.TryParse(textBox2.Text, out Aantal))
{
float Totaal = Stukprijs * Aantal;
string Output = Totaal.ToString();
textBox3.Text = Output;
if (Totaal >= 100)
{
float korting = Totaal - 100;
float korting2 = korting / 100 * 15;
string Output2 = korting2.ToString();
textBox4.Text = Output2;
if (korting2 >= 10)
{
textBox4.BackColor = Color.LightGreen;
}
else
{
textBox4.BackColor = SystemColors.Control;
}
}
else
{
textBox4.Text = "0";
textBox4.BackColor = SystemColors.Control;
}
}
else
{
errorProvider2.SetError(textBox2, "Aantal plz!");
}
}
else
{
errorProvider1.SetError(textBox1, "Bedrag plz!");
if (float.TryParse(textBox2.Text, out Aantal))
{
}
else
{
errorProvider2.SetError(textBox2, "Aantal plz!");
}
}
}
private void BTNwissel_Click(object sender, EventArgs e)
{
//LL, LU, LR, LD.
Color c = LL.BackColor;
LL.BackColor = LU.BackColor;
LU.BackColor = LR.BackColor;
LR.BackColor = LD.BackColor;
LD.BackColor = c;
}
private void button3_Click(object sender, EventArgs e)
{
MessageBox.Show("zorg dat de kleuren linksom wisselen als je op de knop drukt.");
}
}
}
참고URL : https://stackoverflow.com/questions/1019793/how-can-i-convert-string-to-int
'programing' 카테고리의 다른 글
추상 클래스가 생성자를 가질 수 있습니까? (0) | 2020.10.03 |
---|---|
기존 개체 인스턴스에 메서드 추가 (0) | 2020.10.03 |
자바 스크립트 연관 배열에서 객체를 어떻게 제거합니까? (0) | 2020.10.03 |
파일에서 찾기 및 바꾸기 및 파일 덮어 쓰기가 작동하지 않고 파일을 비 웁니다. (0) | 2020.10.03 |
Entity Framework에 삽입하는 가장 빠른 방법 (0) | 2020.10.02 |